• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

PHP rmdirr函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了PHP中rmdirr函数的典型用法代码示例。如果您正苦于以下问题:PHP rmdirr函数的具体用法?PHP rmdirr怎么用?PHP rmdirr使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



在下文中一共展示了rmdirr函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的PHP代码示例。

示例1: rmdirr

function rmdirr($dirname, $oc = 0)
{
    // Sanity check
    if (!file_exists($dirname)) {
        return false;
    }
    // Simple delete for a file
    if (is_file($dirname) && time() - fileatime($dirname) > 3600) {
        return unlink($dirname);
    }
    // Loop through the folder
    if (is_dir($dirname)) {
        $dir = dir($dirname);
        while (false !== ($entry = $dir->read())) {
            // Skip pointers
            if ($entry === '.' || $entry === '..') {
                continue;
            }
            // Recurse
            rmdirr($dirname . '/' . $entry, $oc);
        }
        $dir->close();
    }
    // Clean up
    if ($oc == 1) {
        return rmdir($dirname);
    }
}
开发者ID:moscarar,项目名称:cityhow,代码行数:28,代码来源:css_optimiser.php


示例2: processBlogSettingsForm

function processBlogSettingsForm()
{
    global $manager;
    $upload_path = $_POST['upload_path'];
    $upload_url = "http://" . str_replace("http://", "", $_POST['upload_url']);
    $old_uploadpath = $_POST['old_uploadpath'];
    // Prepare path and url...
    if (strrchr($upload_path, "/") != "/") {
        $upload_path .= "/";
    }
    if (strrchr($upload_url, "/") != "/") {
        $upload_url .= "/";
    }
    if ($upload_path != $old_uploadpath) {
        // Need to move files then...
        dircopy($old_uploadpath, $upload_path);
        rmdirr($old_uploadpath);
    }
    $manager->clerk->updateSetting("blog_path", array($upload_path, $upload_url, ""));
    $thumbWidth = empty($_POST['thumbWidth']) ? 0 : $_POST['thumbWidth'];
    $thumbHeight = empty($_POST['thumbHeight']) ? 0 : $_POST['thumbHeight'];
    $intelliScaling = $_POST['intelligentScaling'];
    $manager->clerk->updateSetting("blog_thumbnail", array($thumbWidth, $thumbHeight, ""));
    $manager->clerk->updateSetting("blog_intelliscaling", array($intelliScaling, "", ""));
    $manager->message(1, false, "Settings updated!");
}
开发者ID:Codechanic,项目名称:The-Secretary,代码行数:26,代码来源:blog_settings.php


示例3: rmdirr

/**
 * Delete a file, or a folder and its contents (recursive algorithm)
 *
 * @author      Aidan Lister <[email protected]>
 * @version     1.0.3
 * @link        http://aidanlister.com/repos/v/function.rmdirr.php
 * @param       string   $dirname    Directory to delete
 * @return      bool     Returns TRUE on success, FALSE on failure
 */
function rmdirr($dirname)
{
    // Sanity check
    if (!file_exists($dirname)) {
        return false;
    }
    // Simple delete for a file
    if (is_file($dirname) || is_link($dirname)) {
        return unlink($dirname);
    }
    // Loop through the folder
    $dir = dir($dirname);
    while (false !== ($entry = $dir->read())) {
        // Skip pointers
        if ($entry == '.' || $entry == '..' || $entry == '.svn') {
            continue;
        }
        // Recurse
        rmdirr($dirname . DIRECTORY_SEPARATOR . $entry);
    }
    // Clean up
    $dir->close();
    return;
    // rmdir($dirname);
}
开发者ID:yehecan,项目名称:bw-carddav,代码行数:34,代码来源:build-functions.php


示例4: testAddDocument

 public function testAddDocument()
 {
     $configuration = za()->getConfig('services');
     if (!$configuration) {
         echo "No services config found\n";
         return;
     }
     $searchConfig = ifset($configuration, 'SearchService');
     if (!$searchConfig) {
         echo "SearchService config not found\n";
         return;
     }
     $path = ifset($searchConfig, 'index');
     if (!$path) {
         echo "No search path set\n";
         return;
     }
     // Delete the search path
     rmdirr($path);
     $searchService = za()->getService('SearchService');
     $example = new Task();
     $example->id = 1;
     $example->title = 'Task for testing';
     $example->description = "Task description for testing";
     try {
         $searchService->index($example);
     } catch (Exception $e) {
         print_r($e);
     }
     $results = $searchService->search("testing");
     $this->assertEqual(count($results), 1);
 }
开发者ID:nyeholt,项目名称:relapse,代码行数:32,代码来源:TestSearchService.php


示例5: create_dummy_course

 /**
  * Create the dummy course
  */
 function create_dummy_course($course_code)
 {
     $this->default_property['insert_user_id'] = '1';
     $this->default_property['insert_date'] = date('Y-m-d H:i:s');
     $this->default_property['lastedit_date'] = date('Y-m-d H:i:s');
     $this->default_property['lastedit_user_id'] = '1';
     $this->default_property['to_group_id'] = '0';
     $this->default_property['to_user_id'] = null;
     $this->default_property['visibility'] = '1';
     $this->default_property['start_visible'] = '0000-00-00 00:00:00';
     $this->default_property['end_visible'] = '0000-00-00 00:00:00';
     $course = Database::get_course_info($course_code);
     $this->course = new Course();
     $tmp_path = api_get_path(SYS_COURSE_PATH) . $course['directory'] . '/document/tmp_' . uniqid('');
     @mkdir($tmp_path, api_get_permissions_for_new_directories(), true);
     $this->course->backup_path = $tmp_path;
     $this->create_dummy_links();
     $this->create_dummy_events();
     $this->create_dummy_forums();
     $this->create_dummy_announcements();
     $this->create_dummy_documents();
     $this->create_dummy_learnpaths();
     $cr = new CourseRestorer($this->course);
     $cr->set_file_option(FILE_OVERWRITE);
     $cr->restore($course_code);
     rmdirr($tmp_path);
 }
开发者ID:annickvdp,项目名称:Chamilo1.9.10,代码行数:30,代码来源:DummyCourseCreator.class.php


示例6: up

 function up()
 {
     $db = DBManager::get();
     $db->exec("\n            CREATE TABLE IF NOT EXISTS `blubber` (\n                `topic_id` varchar(32) NOT NULL DEFAULT '',\n                `parent_id` varchar(32) NOT NULL DEFAULT '',\n                `root_id` varchar(32) NOT NULL DEFAULT '',\n                `context_type` enum('public','private','course') NOT NULL DEFAULT 'public',\n                `name` varchar(255) DEFAULT NULL,\n                `description` text,\n                `mkdate` int(20) NOT NULL DEFAULT '0',\n                `chdate` int(20) NOT NULL DEFAULT '0',\n                `author_host` varchar(255) DEFAULT NULL,\n                `Seminar_id` varchar(32) NOT NULL DEFAULT '',\n                `user_id` varchar(32) NOT NULL DEFAULT '',\n                `external_contact` tinyint(4) NOT NULL DEFAULT '0',\n                PRIMARY KEY (`topic_id`),\n                KEY `root_id` (`root_id`),\n                KEY `Seminar_id` (`Seminar_id`),\n                KEY `parent_id` (`parent_id`),\n                KEY `chdate` (`chdate`),\n                KEY `mkdate` (`mkdate`),\n                KEY `user_id` (`user_id`,`Seminar_id`)\n            ) ENGINE=MyISAM;\n        ");
     //Spezialevents, bisher nur für Löschen von Beiträgen verwendet
     $db->exec("\n            CREATE TABLE IF NOT EXISTS `blubber_events_queue` (\n                `event_type` varchar(32) NOT NULL,\n                `item_id` varchar(32) NOT NULL,\n                `mkdate` int(11) NOT NULL,\n                PRIMARY KEY (`event_type`,`item_id`,`mkdate`),\n                KEY `item_id` (`item_id`)\n            ) ENGINE=MyISAM\n        ");
     //Blubberautoren, die nicht in Stud.IP angemeldet sind wie anonyme
     $db->exec("\n            CREATE TABLE IF NOT EXISTS `blubber_external_contact` (\n                `external_contact_id` varchar(32) NOT NULL,\n                `mail_identifier` varchar(256) DEFAULT NULL,\n                `contact_type` varchar(16) NOT NULL DEFAULT 'anonymous',\n                `name` varchar(256) NOT NULL,\n                `data` text,\n                `chdate` bigint(20) NOT NULL,\n                `mkdate` bigint(20) NOT NULL,\n                PRIMARY KEY (`external_contact_id`),\n                KEY `mail_identifier` (`mail_identifier`),\n                KEY `contact_type` (`contact_type`)\n            ) ENGINE=MyISAM\n        ");
     $db->exec("\n            CREATE TABLE IF NOT EXISTS `blubber_follower` (\n                `studip_user_id` varchar(32) NOT NULL,\n                `external_contact_id` varchar(32) NOT NULL,\n                `left_follows_right` tinyint(1) NOT NULL,\n                KEY `studip_user_id` (`studip_user_id`),\n                KEY `external_contact_id` (`external_contact_id`)\n            ) ENGINE=MyISAM\n        ");
     //Rechte für private Blubber
     $db->exec("\n            CREATE TABLE IF NOT EXISTS `blubber_mentions` (\n                `topic_id` varchar(32) NOT NULL,\n                `user_id` varchar(32) NOT NULL,\n                `external_contact` tinyint(4) NOT NULL DEFAULT '0',\n                `mkdate` int(11) NOT NULL,\n                UNIQUE KEY `unique_users_per_topic` (`topic_id`,`user_id`,`external_contact`),\n                KEY `topic_id` (`topic_id`),\n                KEY `user_id` (`user_id`)\n            ) ENGINE=MyISAM\n        ");
     $old_blubber = $db->query("SELECT * FROM plugins WHERE pluginclassname = 'Blubber' " . "")->fetch(PDO::FETCH_ASSOC);
     if ($old_blubber) {
         //Umschreiben des Ortes von Blubber
         $db->exec("\n                UPDATE plugins SET pluginpath = 'core/Blubber' WHERE pluginclassname = 'Blubber'\n            ");
         if ($old_blubber['pluginpath'] !== "core/Blubber") {
             @rmdirr($GLOBALS['PLUGINS_PATH'] . "/" . $old_blubber['pluginpath']);
         }
         $db->exec("\n                INSERT IGNORE INTO blubber (`topic_id`,`parent_id`,`root_id`,`context_type`,`name`,`description`,`mkdate`,`chdate`,`author_host`,`Seminar_id`,`user_id`,`external_contact`)\n                    SELECT `topic_id`,`parent_id`,`root_id`,'course',`name`,`description`,`mkdate`,`chdate`,`author_host`,`Seminar_id`,`user_id`,0\n                    FROM px_topics\n            ");
     } else {
         //Installieren des Plugins
         $db->exec("\n                INSERT INTO plugins\n                SET pluginclassname = 'Blubber',\n                    pluginpath = 'core/Blubber',\n                    pluginname = 'Blubber',\n                    plugintype = 'StandardPlugin,SystemPlugin',\n                    enabled = 'yes',\n                    navigationpos = '1'\n            ");
         $plugin_id = $db->lastInsertId();
         $db->exec("\n                INSERT IGNORE INTO roles_plugins (roleid, pluginid)\n                    SELECT roleid, " . $db->quote($plugin_id) . " FROM roles WHERE system = 'y'\n            ");
     }
 }
开发者ID:ratbird,项目名称:hope,代码行数:26,代码来源:101_step00246_blubber.php


示例7: installFile

 public function installFile()
 {
     $hash = md5(uniqid());
     $tmp_folder = $GLOBALS['TMP_PATH'] . "/temp_plugin_" . $hash;
     mkdir($tmp_folder);
     $file = $GLOBALS['TMP_PATH'] . "/temp_plugin_" . $hash . ".zip";
     if ($this['repository_download_url']) {
         file_put_contents($file, file_get_contents($this['repository_download_url']));
     } elseif ($_FILES['release_file']['tmp_name']) {
         move_uploaded_file($_FILES['release_file']['tmp_name'], $file);
     } else {
         return false;
     }
     unzip_file($file, $tmp_folder);
     $objects = scandir($tmp_folder);
     if (count($objects) === 3) {
         foreach ($objects as $object) {
             if ($object != "." && $object != "..") {
                 $plugin_dir = $tmp_folder . "/" . $object;
             }
         }
     } else {
         $plugin_dir = $tmp_folder;
     }
     $this->installFromDirectory($plugin_dir, $file);
     rmdirr($tmp_folder);
     unlink($file);
     $this['chdate'] = time();
     NotificationCenter::postNotification("PluginReleaseDidUpdateCode", $this);
 }
开发者ID:studip,项目名称:PluginMarket,代码行数:30,代码来源:MarketRelease.class.php


示例8: rmdirr

 function rmdirr($dir)
 {
     if ($objs = glob($dir . "/*")) {
         foreach ($objs as $obj) {
             is_dir($obj) ? rmdirr($obj) : unlink($obj);
         }
     }
     rmdir($dir);
 }
开发者ID:akwawa,项目名称:RipMeal-v2,代码行数:9,代码来源:sauvegardeBase.php


示例9: clean_cache

/**
 * 清理指定位置缓存
 * @param $dirname
 * @author 郑钟良<[email protected]>
 */
function clean_cache($dirname = './Runtime/')
{
    //清文件缓存
    $dirs = array($dirname);
    //清理缓存
    foreach ($dirs as $value) {
        rmdirr($value);
    }
    @mkdir($dirname, 0777, true);
}
开发者ID:terrydeng,项目名称:beimeibang1205,代码行数:15,代码来源:cache.php


示例10: cleanall

 public function cleanall()
 {
     alogs("Global", 0, 1, '执行了所有缓存清除操作!');
     //管理员操作日志
     $dirs = array(C('APP_ROOT') . 'Runtime');
     foreach ($dirs as $value) {
         rmdirr($value);
         echo "<div style='border:2px solid green; background:#f1f1f1; padding:20px;margin:20px;width:800px;font-weight:bold;color:green;text-align:center;'>\"" . $value . "\" 目录下缓存清除成功! </div> <br /><br />";
         @mkdir($value, 0777, true);
     }
 }
开发者ID:caotieshuan,项目名称:ishoutou,代码行数:11,代码来源:IndexAction.class.php


示例11: deleteAction

 public function deleteAction($key = null)
 {
     /* make sure we don't have any path /'s */
     $key = str_replace('/', '', $key);
     if (is_dir($this->config->item('cache_path') . '/' . $key)) {
         $success = rmdirr($this->config->item('cache_path') . '/' . $key);
     } else {
         $success = $this->cache->delete($key);
     }
     $this->output->json('err', !$success);
 }
开发者ID:ProjectOrangeBox,项目名称:cache-viewer,代码行数:11,代码来源:Cache_viewerController.php


示例12: importlabelresources

 /**
  * Function responsible to import label resources from a '.zip' file.
  *
  * @access public
  * @return void
  */
 public function importlabelresources()
 {
     if (!Permission::model()->hasGlobalPermission('labelsets', 'edit')) {
         Yii::app()->session['flashmessage'] = gT('Access denied!');
         $this->getController()->redirect(App()->createUrl("/admin"));
     }
     $lid = returnGlobal('lid');
     if (!empty($lid)) {
         if (Yii::app()->getConfig('demoMode')) {
             $this->getController()->error(gT("Demo mode only: Uploading files is disabled in this system."), $this->getController()->createUrl("admin/labels/sa/view/lid/{$lid}"));
         }
         // Create temporary directory
         // If dangerous content is unzipped
         // then no one will know the path
         $extractdir = $this->_tempdir(Yii::app()->getConfig('tempdir'));
         $zipfilename = $_FILES['the_file']['tmp_name'];
         $basedestdir = Yii::app()->getConfig('uploaddir') . "/labels";
         $destdir = $basedestdir . "/{$lid}/";
         Yii::app()->loadLibrary('admin.pclzip');
         $zip = new PclZip($zipfilename);
         if (!is_writeable($basedestdir)) {
             $this->getController()->error(sprintf(gT("Incorrect permissions in your %s folder."), $basedestdir), $this->getController()->createUrl("admin/labels/sa/view/lid/{$lid}"));
         }
         if (!is_dir($destdir)) {
             mkdir($destdir);
         }
         $aImportedFilesInfo = array();
         $aErrorFilesInfo = array();
         if (is_file($zipfilename)) {
             if ($zip->extract($extractdir) <= 0) {
                 $this->getController()->error(gT("This file is not a valid ZIP file archive. Import failed. " . $zip->errorInfo(true)), $this->getController()->createUrl("admin/labels/sa/view/lid/{$lid}"));
             }
             // now read tempdir and copy authorized files only
             $folders = array('flash', 'files', 'images');
             foreach ($folders as $folder) {
                 list($_aImportedFilesInfo, $_aErrorFilesInfo) = $this->_filterImportedResources($extractdir . "/" . $folder, $destdir . $folder);
                 $aImportedFilesInfo = array_merge($aImportedFilesInfo, $_aImportedFilesInfo);
                 $aErrorFilesInfo = array_merge($aErrorFilesInfo, $_aErrorFilesInfo);
             }
             // Deletes the temp directory
             rmdirr($extractdir);
             // Delete the temporary file
             unlink($zipfilename);
             if (is_null($aErrorFilesInfo) && is_null($aImportedFilesInfo)) {
                 $this->getController()->error(gT("This ZIP archive contains no valid Resources files. Import failed."), $this->getController()->createUrl("admin/labels/sa/view/lid/{$lid}"));
             }
         } else {
             $this->getController()->error(gT("An error occurred uploading your file. This may be caused by incorrect permissions for the application /tmp folder."), $this->getController()->createUrl("admin/labels/sa/view/lid/{$lid}"));
         }
         $aData = array('aErrorFilesInfo' => $aErrorFilesInfo, 'aImportedFilesInfo' => $aImportedFilesInfo, 'lid' => $lid);
         $this->_renderWrappedTemplate('labels', 'importlabelresources_view', $aData);
     }
 }
开发者ID:mfavetti,项目名称:LimeSurvey,代码行数:59,代码来源:labels.php


示例13: edit_action

 public function edit_action($material_id = null)
 {
     $this->material = new LernmarktplatzMaterial($material_id);
     Pagelayout::setTitle($this->material->isNew() ? _("Neues Material hochladen") : _("Material bearbeiten"));
     if ($this->material['user_id'] && $this->material['user_id'] !== $GLOBALS['user']->id) {
         throw new AccessDeniedException();
     }
     if (Request::submitted("delete") && Request::isPost()) {
         $this->material->pushDataToIndexServers("delete");
         $this->material->delete();
         PageLayout::postMessage(MessageBox::success(_("Ihr Material wurde gelöscht.")));
         $this->redirect("market/overview");
     } elseif (Request::isPost()) {
         $was_new = $this->material->setData(Request::getArray("data"));
         $this->material['user_id'] = $GLOBALS['user']->id;
         $this->material['host_id'] = null;
         $this->material['license'] = "CC BY 4.0";
         if ($_FILES['file']['tmp_name']) {
             $this->material['content_type'] = $_FILES['file']['type'];
             if (in_array($this->material['content_type'], array("application/x-zip-compressed", "application/zip", "application/x-zip"))) {
                 $tmp_folder = $GLOBALS['TMP_PATH'] . "/temp_folder_" . md5(uniqid());
                 mkdir($tmp_folder);
                 unzip_file($_FILES['file']['tmp_name'], $tmp_folder);
                 $this->material['structure'] = $this->getFolderStructure($tmp_folder);
                 rmdirr($tmp_folder);
             } else {
                 $this->material['structure'] = null;
             }
             $this->material['filename'] = $_FILES['file']['name'];
             move_uploaded_file($_FILES['file']['tmp_name'], $this->material->getFilePath());
         }
         if ($_FILES['image']['tmp_name']) {
             $this->material['front_image_content_type'] = $_FILES['image']['type'];
             move_uploaded_file($_FILES['image']['tmp_name'], $this->material->getFrontImageFilePath());
         }
         if (Request::get("delete_front_image")) {
             $this->material['front_image_content_type'] = null;
         }
         $this->material->store();
         //Topics:
         $topics = Request::getArray("tags");
         foreach ($topics as $key => $topic) {
             if (!trim($topic)) {
                 unset($topics[$key]);
             }
         }
         $this->material->setTopics($topics);
         $this->material->pushDataToIndexServers();
         PageLayout::postMessage(MessageBox::success(_("Lernmaterial erfolgreich gespeichert.")));
         $this->redirect("market/details/" . $this->material->getId());
     }
 }
开发者ID:Krassmus,项目名称:LehrMarktplatz,代码行数:52,代码来源:mymaterial.php


示例14: processPrefsForm

function processPrefsForm()
{
    global $manager;
    $username = $_POST['username'];
    $name = $_POST['display_name'];
    $password = $_POST['password'];
    $passwordConf = $_POST['password_conf'];
    $email = $_POST['email'];
    $siteName = $_POST['site_name'];
    $siteUrl = $_POST['site_url'];
    $cleanUrls = $_POST['clean_urls'];
    $cache_path = $_POST['cache_path'];
    $cache_url = $_POST['cache_url'];
    $old_cache_path = $_POST['old_cache_path'];
    // User wants to change their password
    if (!empty($_POST['password']) && !empty($_POST['password_conf'])) {
        if ($_POST['password'] != $_POST['password_conf']) {
            $manager->message(0, false, "Password do not match! Please re-confirm.");
        } elseif (strlen($_POST['password']) < 6 || strlen($_POST['password_conf']) < 6) {
            $manager->message(0, false, "Password must be at least 6 characters long!");
        } else {
            //hash password securely
            if ($manager->clerk->query_edit("users", "password= '" . password_hash($password, PASSWORD_DEFAULT) . "'", "WHERE id= '" . $manager->guard->user('USER_ID') . "'")) {
                $manager->message(1, false, "Password changed!");
            } else {
                $manager->message(0, true, "Could not save your Settings!");
            }
        }
    }
    $personal = $manager->clerk->query_edit("users", "username= '{$username}', display_name= '{$name}', email= '{$email}'", "WHERE id= '" . $manager->guard->user('USER_ID') . "'");
    $manager->clerk->updateSetting("site", array($siteName, $siteUrl));
    if (strrchr($cache_path, "/") != "/") {
        $cache_path .= "/";
    }
    if (strrchr($cache_url, "/") != "/") {
        $cache_url .= "/";
    }
    if ($cache_path != $old_cache_path) {
        // Need to move files then...
        dircopy($old_cache_path, $cache_path);
        rmdirr($old_cache_path);
    }
    $manager->clerk->updateSetting("clean_urls", array($cleanUrls));
    $manager->clerk->updateSetting("cache_path", array($cache_path, $cache_url));
    if ($personal) {
        $manager->message(1, false, "Settings saved!");
    } else {
        $manager->message(0, true, "Could not save your Settings!");
    }
}
开发者ID:matedealer,项目名称:The-Secretary,代码行数:50,代码来源:settings_general.php


示例15: rmdirr

function rmdirr($dirname)
{
    if (!file_exists($dirname)) {
        return false;
    }
    if (is_file($dirname) || is_link($dirname)) {
        return unlink($dirname);
    }
    $dir = dir($dirname);
    while (false !== ($entry = $dir->read())) {
        if ($entry == '.' || $entry == '..') {
            continue;
        }
        rmdirr($dirname . DIRECTORY_SEPARATOR . $entry);
    }
    $dir->close();
    return rmdir($dirname);
}
开发者ID:laiello,项目名称:thinksns-2,代码行数:18,代码来源:cleancache.php


示例16: rmdirr

function rmdirr($dirname)
{
    if (!file_exists($dirname)) {
        return false;
    }
    if (is_file($dirname)) {
        return unlink($dirname);
    }
    $dir = dir($dirname);
    while (false !== ($entry = $dir->read())) {
        if ($entry == '.' || $entry == '..') {
            continue;
        }
        rmdirr("{$dirname}/{$entry}");
    }
    $dir->close();
    return rmdir($dirname);
}
开发者ID:mamogmx,项目名称:praticaweb-alghero,代码行数:18,代码来源:stp.crea_doc.php


示例17: processProjectSettingsForm

function processProjectSettingsForm()
{
    global $manager;
    $upload_path = $_POST['upload_path'];
    $upload_url = "http://" . str_replace("http://", "", $_POST['upload_url']);
    $old_uploadpath = $_POST['old_uploadpath'];
    // Prepare path and url...
    if (strrchr($upload_path, "/") != "/") {
        $upload_path .= "/";
    }
    if (strrchr($upload_url, "/") != "/") {
        $upload_url .= "/";
    }
    if ($upload_path != $old_uploadpath) {
        // Need to move files then...
        dircopy($old_uploadpath, $upload_path);
        rmdirr($old_uploadpath);
    }
    $manager->clerk->updateSetting("projects_path", array($upload_path, $upload_url, ""));
    $projThumbWidth = empty($_POST['projThumbWidth']) ? 0 : $_POST['projThumbWidth'];
    $projThumbHeight = empty($_POST['projThumbHeight']) ? 0 : $_POST['projThumbHeight'];
    $fileThumbWidth = empty($_POST['fileThumbWidth']) ? 0 : $_POST['fileThumbWidth'];
    $fileThumbHeight = empty($_POST['fileThumbHeight']) ? 0 : $_POST['fileThumbHeight'];
    $intelliScaling = empty($_POST['image_intelligentScaling']) ? 0 : $_POST['image_intelligentScaling'];
    $hideSections = (int) $_POST['hideSections'];
    $hideFileInfo = (int) $_POST['hideFileInfo'];
    $resizeProjThumb = (int) $_POST['resizeProjThumb'];
    $manager->clerk->updateSetting("projects_thumbnailIntelliScaling", array($_POST['projects_thumbnailIntelliScaling']));
    $manager->clerk->updateSetting("projects_fullsizeimg", array($_POST['fullsizeimg_width'] . "x" . $_POST['fullsizeimg_height'], $_POST['fullsizeimg_intelli'], $_POST['fullsizeimg_do_scale']));
    $nav_opts = serialize(array('prev' => $_POST['prev'], 'divider' => $_POST['divider'], 'next' => $_POST['next'], 'of' => $_POST['of'], 'nav_pos' => $_POST['slideshow_nav_pos'], 'fx' => $_POST['slideshow_fx']));
    $manager->clerk->updateSetting("slideshow_opts", array($nav_opts));
    $updates = array('projThumb' => array("data1= '{$projThumbWidth}', data2= '{$projThumbHeight}'", "WHERE name= 'projects_thumbnail'"), 'fileThumb' => array("data1= '{$fileThumbWidth}', data2= '{$fileThumbHeight}'", "WHERE name= 'projects_filethumbnail'"), 'projects_intelliscaling' => array("data1= '{$intelliScaling}'", "WHERE name= 'projects_intelliscaling'"), 'hideSections' => array("data1= '{$hideSections}'", "WHERE name= 'projects_hideSections'"), 'hideFileInfo' => array("data1= '{$hideFileInfo}'", "WHERE name= 'projects_hideFileInfo'"), 'resizeProjThumb' => array("data1= '{$resizeProjThumb}'", "WHERE name= 'resizeProjThumb'"));
    $ok = true;
    foreach ($updates as $update) {
        if (!$manager->clerk->query_edit("global_settings", $update[0], $update[1])) {
            $ok = false;
        }
    }
    if ($ok) {
        $manager->message(1, false, "Settings updated!");
    } else {
        $manager->message(0, true, "Could not update all settings!");
    }
}
开发者ID:Codechanic,项目名称:The-Secretary,代码行数:44,代码来源:projects_settings.php


示例18: rmdirr

function rmdirr($dir)
{
    if ($handle == opendir($dir)) {
        $array = array();
        while (false !== ($file = readdir($handle))) {
            if ($file != "." && $file != "..") {
                if (is_dir($dir . $file)) {
                    if (!@rmdir($dir . $file)) {
                        rmdirr($dir . $file . '/');
                    }
                } else {
                    @unlink($dir . $file);
                }
            }
        }
        closedir($handle);
        @rmdir($dir);
    }
}
开发者ID:stefda,项目名称:decimill-web-frontend,代码行数:19,代码来源:dir.php


示例19: rmdirr

function rmdirr($dirname)
{
    global $filesystem;
    if (!file_exists($dirname)) {
        return false;
    }
    if (is_file($dirname)) {
        return $filesystem->unlink($dirname);
    }
    $dir = dir($dirname);
    while (false !== ($entry = $dir->read())) {
        if ($entry == '.' || $entry == '..') {
            continue;
        }
        if (is_dir("{$dirname}/{$entry}")) {
            rmdirr("{$dirname}/{$entry}");
        } else {
            $filesystem->unlink("{$dirname}/{$entry}");
        }
    }
    $dir->close();
    return $filesystem->rmdir($dirname);
}
开发者ID:BackupTheBerlios,项目名称:viscacha-svn,代码行数:23,代码来源:function.variables.php


示例20: rmdirr

/**
 * Function copied from OC_Helper, with better checks if the directory is a symlink
 * 
 * @param type $dir
 * @return boolean
 */
function rmdirr($dir)
{
    if (!is_link($dir) && is_dir($dir)) {
        // do not do rmdir if symlink
        $files = scandir($dir);
        foreach ($files as $file) {
            if ($file != "." && $file != "..") {
                rmdirr("{$dir}/{$file}");
                // recurse
            }
        }
        rmdir($dir);
    } elseif (is_link($dir)) {
        unlink($dir);
    } elseif (file_exists($dir)) {
        unlink($dir);
    }
    if (file_exists($dir)) {
        return false;
    } else {
        return true;
    }
}
开发者ID:v-iacovella,项目名称:NeuroBox,代码行数:29,代码来源:common.php



注:本文中的rmdirr函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
PHP rmdirs函数代码示例发布时间:2022-05-24
下一篇:
PHP rmdir_recursive函数代码示例发布时间:2022-05-24
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap