当前位置: 首页>>代码示例>>PHP>>正文


PHP SpoonFile::delete方法代码示例

本文整理汇总了PHP中SpoonFile::delete方法的典型用法代码示例。如果您正苦于以下问题:PHP SpoonFile::delete方法的具体用法?PHP SpoonFile::delete怎么用?PHP SpoonFile::delete使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在SpoonFile的用法示例。


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

示例1: cleanupCache

 /**
  * Cleanup cache files
  */
 private function cleanupCache()
 {
     $files = SpoonFile::getList($this->cachePath);
     foreach ($files as $file) {
         $fileinfo = SpoonFile::getInfo($this->cachePath . '/' . $file);
         // delete file if more than 1 week old
         if ($fileinfo['modification_date'] < strtotime('-1 week')) {
             SpoonFile::delete($this->cachePath . '/' . $file);
         }
     }
 }
开发者ID:nickmancol,项目名称:forkcms-rhcloud,代码行数:14,代码来源:get_data.php

示例2: cleanupCache

 /**
  * Cleanup cache files
  *
  * @return	void
  */
 private function cleanupCache()
 {
     // get cache files
     $files = SpoonFile::getList($this->cachePath);
     // loop items
     foreach ($files as $file) {
         // get info
         $fileinfo = SpoonFile::getInfo($this->cachePath . '/' . $file);
         // file is more than one week old
         if ($fileinfo['modification_date'] < strtotime('-1 week')) {
             // delete file
             SpoonFile::delete($this->cachePath . '/' . $file);
         }
     }
 }
开发者ID:netconstructor,项目名称:forkcms,代码行数:20,代码来源:get_data.php

示例3: execute

 /**
  * Execute the action
  */
 public function execute()
 {
     $this->id = $this->getParameter('id', 'int');
     // does the item exist
     if ($this->id !== null && BackendAddressesModel::exists($this->id)) {
         parent::execute();
         $this->record = (array) BackendAddressesModel::get($this->id);
         BackendAddressesModel::delete($this->id);
         BackendAddressesModel::deleteGroupsFromAddress($this->id);
         // delete the image
         \SpoonFile::delete(FRONTEND_FILES_PATH . '/Addresses/Images/Source/' . $this->record['image']);
         BackendSearchModel::removeIndex($this->getModule(), $this->id);
         BackendModel::triggerEvent($this->getModule(), 'after_delete', array('id' => $this->id));
         $this->redirect(BackendModel::createURLForAction('index') . '&report=deleted&var=' . urlencode($this->record['id']));
     } else {
         $this->redirect(BackendModel::createURLForAction('index') . '&error=non-existing');
     }
 }
开发者ID:Comsa-Veurne,项目名称:modules,代码行数:21,代码来源:Delete.php

示例4: execute

 /**
  * Execute the action
  */
 public function execute()
 {
     // get parameters
     $this->id = $this->getParameter('id', 'int');
     // does the item exist
     if ($this->id !== null && BackendBlogModel::exists($this->id)) {
         // call parent, this will probably add some general CSS/JS or other required files
         parent::execute();
         // set category id
         $this->categoryId = SpoonFilter::getGetValue('category', null, null, 'int');
         if ($this->categoryId == 0) {
             $this->categoryId = null;
         }
         // get data
         $this->record = (array) BackendBlogModel::get($this->id);
         // delete item
         BackendBlogModel::delete($this->id);
         // delete the image
         SpoonFile::delete(FRONTEND_FILES_PATH . '/blog/images/source/' . $this->record['image']);
         // trigger event
         BackendModel::triggerEvent($this->getModule(), 'after_delete', array('id' => $this->id));
         // delete search indexes
         if (is_callable(array('BackendSearchModel', 'removeIndex'))) {
             BackendSearchModel::removeIndex($this->getModule(), $this->id);
         }
         // build redirect URL
         $redirectUrl = BackendModel::createURLForAction('index') . '&report=deleted&var=' . urlencode($this->record['title']);
         // append to redirect URL
         if ($this->categoryId != null) {
             $redirectUrl .= '&category=' . $this->categoryId;
         }
         // item was deleted, so redirect
         $this->redirect($redirectUrl);
     } else {
         $this->redirect(BackendModel::createURLForAction('index') . '&error=non-existing');
     }
 }
开发者ID:naujasdizainas,项目名称:forkcms,代码行数:40,代码来源:delete.php

示例5: addSearchIndex

    /**
     * Add a search index
     *
     * @param string $module The module wherin will be searched.
     * @param int $otherId The id of the record.
     * @param  array $fields A key/value pair of fields to index.
     * @param string[optional] $language The frontend language for this entry.
     */
    protected function addSearchIndex($module, $otherId, array $fields, $language)
    {
        // get db
        $db = $this->getDB();
        // validate cache
        if (empty(self::$modules)) {
            // get all modules
            self::$modules = (array) $db->getColumn('SELECT m.name FROM modules AS m');
        }
        // module exists?
        if (!in_array('search', self::$modules)) {
            return;
        }
        // no fields?
        if (empty($fields)) {
            return;
        }
        // insert search index
        foreach ($fields as $field => $value) {
            // reformat value
            $value = strip_tags((string) $value);
            // insert in db
            $db->execute('INSERT INTO search_index (module, other_id, language, field, value, active)
				 VALUES (?, ?, ?, ?, ?, ?)
				 ON DUPLICATE KEY UPDATE value = ?, active = ?', array((string) $module, (int) $otherId, (string) $language, (string) $field, $value, 'Y', $value, 'Y'));
        }
        // invalidate the cache for search
        foreach (SpoonFile::getList(FRONTEND_CACHE_PATH . '/search/') as $file) {
            SpoonFile::delete(FRONTEND_CACHE_PATH . '/search/' . $file);
        }
    }
开发者ID:naujasdizainas,项目名称:forkcms,代码行数:39,代码来源:installer.php

示例6: removeCacheFiles

 /**
  * Remove all cache files
  *
  * @return	void
  */
 public static function removeCacheFiles()
 {
     // get path
     $cachePath = BACKEND_CACHE_PATH . '/analytics';
     // loop all cache files
     foreach (SpoonFile::getList($cachePath) as $file) {
         SpoonFile::delete($cachePath . '/' . $file);
     }
 }
开发者ID:netconstructor,项目名称:forkcms,代码行数:14,代码来源:model.php

示例7: validateForm

 /**
  * Validate the form
  */
 private function validateForm()
 {
     // is the form submitted?
     if ($this->frm->isSubmitted()) {
         // cleanup the submitted fields, ignore fields that were added by hackers
         $this->frm->cleanupFields();
         $fields = $this->frm->getFields();
         // email is present
         if (!$this->user->isGod()) {
             if ($fields['email']->isFilled(BL::err('EmailIsRequired'))) {
                 // is this an email-address
                 if ($fields['email']->isEmail(BL::err('EmailIsInvalid'))) {
                     // was this emailaddress deleted before
                     if (BackendUsersModel::emailDeletedBefore($fields['email']->getValue())) {
                         $fields['email']->addError(sprintf(BL::err('EmailWasDeletedBefore'), BackendModel::createURLForAction('undo_delete', null, null, array('email' => $fields['email']->getValue()))));
                     } elseif (BackendUsersModel::existsEmail($fields['email']->getValue(), $this->id)) {
                         $fields['email']->addError(BL::err('EmailAlreadyExists'));
                     }
                 }
             }
         }
         // required fields
         if ($this->user->isGod() && $fields['email']->getValue() != '' && $this->user->getEmail() != $fields['email']->getValue()) {
             $fields['email']->addError(BL::err('CantChangeGodsEmail'));
         }
         if (!$this->user->isGod()) {
             $fields['email']->isEmail(BL::err('EmailIsInvalid'));
         }
         $fields['nickname']->isFilled(BL::err('NicknameIsRequired'));
         $fields['name']->isFilled(BL::err('NameIsRequired'));
         $fields['surname']->isFilled(BL::err('SurnameIsRequired'));
         $fields['interface_language']->isFilled(BL::err('FieldIsRequired'));
         $fields['date_format']->isFilled(BL::err('FieldIsRequired'));
         $fields['time_format']->isFilled(BL::err('FieldIsRequired'));
         $fields['number_format']->isFilled(BL::err('FieldIsRequired'));
         $fields['groups']->isFilled(BL::err('FieldIsRequired'));
         if (isset($fields['new_password']) && $fields['new_password']->isFilled()) {
             if ($fields['new_password']->getValue() !== $fields['confirm_password']->getValue()) {
                 $fields['confirm_password']->addError(BL::err('ValuesDontMatch'));
             }
         }
         // validate avatar
         if ($fields['avatar']->isFilled()) {
             // correct extension
             if ($fields['avatar']->isAllowedExtension(array('jpg', 'jpeg', 'gif', 'png'), BL::err('JPGGIFAndPNGOnly'))) {
                 // correct mimetype?
                 $fields['avatar']->isAllowedMimeType(array('image/gif', 'image/jpg', 'image/jpeg', 'image/png'), BL::err('JPGGIFAndPNGOnly'));
             }
         }
         // no errors?
         if ($this->frm->isCorrect()) {
             // build user-array
             $user['id'] = $this->id;
             if (!$this->user->isGod()) {
                 $user['email'] = $fields['email']->getValue(true);
             }
             if (BackendAuthentication::getUser()->getUserId() != $this->record['id']) {
                 $user['active'] = $fields['active']->isChecked() ? 'Y' : 'N';
             }
             // update password (only if filled in)
             if (isset($fields['new_password']) && $fields['new_password']->isFilled()) {
                 $user['password'] = BackendAuthentication::getEncryptedString($fields['new_password']->getValue(), $this->record['settings']['password_key']);
             }
             // build settings-array
             $settings['nickname'] = $fields['nickname']->getValue();
             $settings['name'] = $fields['name']->getValue();
             $settings['surname'] = $fields['surname']->getValue();
             $settings['interface_language'] = $fields['interface_language']->getValue();
             $settings['date_format'] = $fields['date_format']->getValue();
             $settings['time_format'] = $fields['time_format']->getValue();
             $settings['datetime_format'] = $settings['date_format'] . ' ' . $settings['time_format'];
             $settings['number_format'] = $fields['number_format']->getValue();
             $settings['csv_split_character'] = $fields['csv_split_character']->getValue();
             $settings['csv_line_ending'] = $fields['csv_line_ending']->getValue();
             $settings['api_access'] = (bool) $fields['api_access']->getChecked();
             // get selected groups
             $groups = $fields['groups']->getChecked();
             // init var
             $newSequence = BackendGroupsModel::getSetting($groups[0], 'dashboard_sequence');
             // loop through groups and collect all dashboard widget sequences
             foreach ($groups as $group) {
                 $sequences[] = BackendGroupsModel::getSetting($group, 'dashboard_sequence');
             }
             // loop through sequences
             foreach ($sequences as $sequence) {
                 // loop through modules inside a sequence
                 foreach ($sequence as $moduleKey => $module) {
                     // loop through widgets inside a module
                     foreach ($module as $widgetKey => $widget) {
                         // if widget present set true
                         if ($widget['present']) {
                             $newSequence[$moduleKey][$widgetKey]['present'] = true;
                         }
                     }
                 }
             }
             // add new sequence to settings
//.........这里部分代码省略.........
开发者ID:naujasdizainas,项目名称:forkcms,代码行数:101,代码来源:edit.php

示例8: isWritable

 /**
  * Check if a directory is writable.
  * The default is_writable function has problems due to Windows ACLs "bug"
  *
  * @return	bool
  * @param	string $path
  */
 private static function isWritable($path)
 {
     // redefine argument
     $path = (string) $path;
     // create temporary file
     $file = tempnam($path, 'isWritable');
     // file has been created
     if ($file !== false) {
         // remove temporary file
         SpoonFile::delete($file);
         // file could not be created = writable
         return true;
     }
     // file could not be created = not writable
     return false;
 }
开发者ID:JonckheereM,项目名称:Public,代码行数:23,代码来源:directory.php

示例9: deleteFile

 /**
  * @param array $ids
  */
 public static function deleteFile(array $ids)
 {
     if (empty($ids)) {
         return;
     }
     foreach ($ids as $id) {
         $item = self::getFile($id);
         $product = self::get($item['product_id']);
         // delete file reference from db
         BackendModel::getContainer()->get('database')->delete('catalog_files', 'id = ?', array($id));
         // delete file from disk
         $basePath = FRONTEND_FILES_PATH . '/catalog/' . $item['product_id'];
         \SpoonFile::delete($basePath . '/source/' . $item['filename']);
     }
 }
开发者ID:Comsa-Veurne,项目名称:modules,代码行数:18,代码来源:Model.php

示例10: delete

 /**
  *
  * Delete image from an album
  *
  * @param $id
  */
 public static function delete($id)
 {
     //--Get the image
     $image = self::get((int) $id);
     if (!empty($image)) {
         //--Get folders
         $folders = BackendModel::getThumbnailFolders(FRONTEND_FILES_PATH . '/Galleria/Images', true);
         //--Loop the folders
         foreach ($folders as $folder) {
             //--Delete the image
             \SpoonFile::delete($folder['url'] . '/' . $folder['dirname'] . '/' . $image['filename']);
         }
         //--Delete images from the database
         BackendModel::getContainer()->get('database')->delete("galleria_images", "id=?", array($id));
     }
 }
开发者ID:Brandberries,项目名称:forkcms-galleria,代码行数:22,代码来源:Model.php

示例11: download

 /**
  * Download a file from a public URL.
  *
  * @return	bool						True if the file was downloaded, false if not.
  * @param	string $sourceURL			The URL of the file to download.
  * @param	string $destinationPath		The path where the file should be downloaded to.
  * @param	bool[optional] $overwrite	In case the destinationPath already exists, should we overwrite this file?
  */
 public static function download($sourceURL, $destinationPath, $overwrite = true)
 {
     // check if curl is available
     if (!function_exists('curl_init')) {
         throw new SpoonFileException('This method requires cURL (http://php.net/curl), it seems like the extension isn\'t installed.');
     }
     // redefine
     $sourceURL = (string) $sourceURL;
     $destinationPath = (string) $destinationPath;
     $overwrite = (bool) $overwrite;
     // validate if the file already exists
     if (!$overwrite && self::exists($destinationPath)) {
         return false;
     }
     // open file handler
     $fileHandle = @fopen($destinationPath, 'w');
     // validate filehandle
     if ($fileHandle === false) {
         return false;
     }
     $options[CURLOPT_URL] = $sourceURL;
     $options[CURLOPT_FILE] = $fileHandle;
     $options[CURLOPT_HEADER] = false;
     if (ini_get('open_basedir') == '' && ini_get('safe_mode' == 'Off')) {
         $options[CURLOPT_FOLLOWLOCATION] = true;
     }
     // init curl
     $curl = curl_init();
     // set options
     curl_setopt_array($curl, $options);
     // execute the call
     curl_exec($curl);
     // get errornumber
     $errorNumber = curl_errno($curl);
     $errorMessage = curl_error($curl);
     $httpCode = curl_getinfo($curl, CURLINFO_HTTP_CODE);
     // close
     curl_close($curl);
     fclose($fileHandle);
     // validate the errornumber
     if ($errorNumber != 0) {
         throw new SpoonFileException($errorMessage);
     }
     if ($httpCode != 200) {
         // delete the destination path file, which is empty
         SpoonFile::delete($destinationPath);
         // throw exception
         throw new SpoonFileException('The file "' . $sourceURL . '" isn\'t available for download.');
     }
     // return
     return true;
 }
开发者ID:jincongho,项目名称:clienthub,代码行数:60,代码来源:file.php

示例12: invalidateCache

 /**
  * Invalidate search cache
  */
 public static function invalidateCache()
 {
     foreach (SpoonFile::getList(FRONTEND_CACHE_PATH . '/search/') as $file) {
         SpoonFile::delete(FRONTEND_CACHE_PATH . '/search/' . $file);
     }
 }
开发者ID:nickmancol,项目名称:forkcms-rhcloud,代码行数:9,代码来源:model.php

示例13: validateForm

 /**
  * Validate the form
  */
 protected function validateForm()
 {
     if ($this->frm->isSubmitted()) {
         $this->frm->cleanupFields();
         // validation
         $fields = $this->frm->getFields();
         //			$fields['name']->isFilled(BL::err('FieldIsRequired'));
         $this->meta->validate();
         if ($this->frm->isCorrect()) {
             $item['meta_id'] = $this->meta->save();
             $item['company'] = $fields['company']->getValue();
             $item['name'] = $fields['name']->getValue();
             $item['firstname'] = $fields['firstname']->getValue();
             $item['email'] = $fields['email']->getValue();
             $item['address'] = $fields['address']->getValue();
             $item['zipcode'] = $fields['zipcode']->getValue();
             $item['city'] = $fields['city']->getValue();
             $item['country'] = $fields['country']->getValue();
             $item['phone'] = $fields['phone']->getValue();
             $item['fax'] = $fields['fax']->getValue();
             $item['website'] = str_replace("http://", "", $fields['website']->getValue());
             $item['zipcodes'] = $fields['zipcodes']->getValue();
             $item['remark'] = $fields['remark']->getValue();
             //$item['text'] = $fields['text']->getValue();
             //$item['assort'] = $fields['assort']->getValue();
             //$item['open'] = $fields['open']->getValue();
             //$item['closed'] = $fields['closed']->getValue();
             //$item['visit'] = $fields['visit']->getValue();
             //$item['size'] = $fields['size']->getValue();
             $item['language'] = BL::getWorkingLanguage();
             $item['hidden'] = $fields['hidden']->getValue();
             if ($item['country'] == '') {
                 $item['country'] = 'BE';
             }
             //--Create url
             $url = 'http://maps.googleapis.com/maps/api/geocode/json?address=' . urlencode($item['address'] . ', ' . $item['zipcode'] . ' ' . $item['city'] . ', ' . \SpoonLocale::getCountry($item['country'], BL::getWorkingLanguage())) . '&sensor=false';
             //--Get lat
             $geocode = json_decode(\SpoonHTTP::getContent($url));
             //--Sleep between the requests
             sleep(0.05);
             //--Check result
             $item['lat'] = isset($geocode->results[0]->geometry->location->lat) ? $geocode->results[0]->geometry->location->lat : null;
             $item['lng'] = isset($geocode->results[0]->geometry->location->lng) ? $geocode->results[0]->geometry->location->lng : null;
             $item['image'] = $this->record['image'];
             // the image path
             $imagePath = FRONTEND_FILES_PATH . '/Addresses/Images';
             // create folders if needed
             if (!\SpoonDirectory::exists($imagePath . '/Source')) {
                 \SpoonDirectory::create($imagePath . '/Source');
             }
             if (!\SpoonDirectory::exists($imagePath . '/128x128')) {
                 \SpoonDirectory::create($imagePath . '/128x128');
             }
             if (!\SpoonDirectory::exists($imagePath . '/400x300')) {
                 \SpoonDirectory::create($imagePath . '/400x300');
             }
             if (!\SpoonDirectory::exists($imagePath . '/800x')) {
                 \SpoonDirectory::create($imagePath . '/800x');
             }
             // if the image should be deleted
             if ($this->frm->getField('delete_image')->isChecked()) {
                 // delete the image
                 \SpoonFile::delete($imagePath . '/Source/' . $item['image']);
                 // reset the name
                 $item['image'] = null;
             }
             // new image given?
             if ($this->frm->getField('image')->isFilled()) {
                 // delete the old image
                 \SpoonFile::delete($imagePath . '/Source/' . $this->record['image']);
                 // build the image name
                 $item['image'] = $this->meta->getURL() . '.' . $this->frm->getField('image')->getExtension();
                 // upload the image & generate thumbnails
                 $this->frm->getField('image')->generateThumbnails($imagePath, $item['image']);
             } elseif ($item['image'] != null) {
                 // get the old file extension
                 $imageExtension = \SpoonFile::getExtension($imagePath . '/Source/' . $item['image']);
                 // get the new image name
                 $newName = $this->meta->getURL() . '.' . $imageExtension;
                 // only change the name if there is a difference
                 if ($newName != $item['image']) {
                     // loop folders
                     foreach (BackendModel::getThumbnailFolders($imagePath, true) as $folder) {
                         // move the old file to the new name
                         \SpoonFile::move($folder['path'] . '/' . $item['image'], $folder['path'] . '/' . $newName);
                     }
                     // assign the new name to the database
                     $item['image'] = $newName;
                 }
             }
             BackendAddressesModel::update($this->id, $item);
             $item['id'] = $this->id;
             //--Add the languages
             foreach ((array) BackendModel::get('fork.settings')->get('Core', 'languages') as $key => $language) {
                 $itemLanguage = array();
                 $itemLanguage['id'] = $item['id'];
                 $itemLanguage['language'] = $language;
//.........这里部分代码省略.........
开发者ID:Comsa-Veurne,项目名称:modules,代码行数:101,代码来源:Edit.php

示例14: execute

 /**
  * Execute the action
  *
  * @return	void
  */
 public function execute()
 {
     // call parent, this will probably add some general CSS/JS or other required files
     parent::execute();
     // get parameters
     $page = trim(SpoonFilter::getPostValue('page', null, ''));
     $identifier = trim(SpoonFilter::getPostValue('identifier', null, ''));
     // validate
     if ($page == '' || $identifier == '') {
         $this->output(self::BAD_REQUEST, null, 'No page provided.');
     }
     // init vars
     $filename = BACKEND_CACHE_PATH . '/analytics/' . $page . '_' . $identifier . '.txt';
     // does the temporary file still exits?
     $status = SpoonFile::getContent($filename);
     // no file - create one
     if ($status === false) {
         // create file with initial counter
         SpoonFile::setContent($filename, 'missing1');
         // return status
         $this->output(self::OK, array('status' => false), 'Temporary file was missing. We created one.');
     }
     // busy status
     if (strpos($status, 'busy') !== false) {
         // get counter
         $counter = (int) substr($status, 4) + 1;
         // file's been busy for more than hundred cycles - just stop here
         if ($counter > 100) {
             // remove file
             SpoonFile::delete($filename);
             // return status
             $this->output(self::ERROR, array('status' => 'timeout'), 'Error while retrieving data - the script took too long to retrieve data.');
         }
         // change file content to increase counter
         SpoonFile::setContent($filename, 'busy' . $counter);
         // return status
         $this->output(self::OK, array('status' => 'busy'), 'Data is being retrieved. (' . $counter . ')');
     }
     // unauthorized status
     if ($status == 'unauthorized') {
         // remove file
         SpoonFile::delete($filename);
         // remove all parameters from the module settings
         BackendModel::setModuleSetting($this->getModule(), 'session_token', null);
         BackendModel::setModuleSetting($this->getModule(), 'account_name', null);
         BackendModel::setModuleSetting($this->getModule(), 'table_id', null);
         BackendModel::setModuleSetting($this->getModule(), 'profile_title', null);
         // remove cache files
         BackendAnalyticsModel::removeCacheFiles();
         // clear tables
         BackendAnalyticsModel::clearTables();
         // return status
         $this->output(self::OK, array('status' => 'unauthorized'), 'No longer authorized.');
     }
     // done status
     if ($status == 'done') {
         // remove file
         SpoonFile::delete($filename);
         // return status
         $this->output(self::OK, array('status' => 'done'), 'Data retrieved.');
     }
     // missing status
     if (strpos($status, 'missing') !== false) {
         // get counter
         $counter = (int) substr($status, 7) + 1;
         // file's been missing for more than ten cycles - just stop here
         if ($counter > 10) {
             // remove file
             SpoonFile::delete($filename);
             // return status
             $this->output(self::ERROR, array('status' => 'missing'), 'Error while retrieving data - file was never created.');
         }
         // change file content to increase counter
         SpoonFile::setContent($filename, 'missing' . $counter);
         // return status
         $this->output(self::OK, array('status' => 'busy'), 'Temporary file was still in status missing. (' . $counter . ')');
     }
     /* FALLBACK - SOMETHING WENT WRONG */
     // remove file
     SpoonFile::delete($filename);
     // return status
     $this->output(self::ERROR, array('status' => 'error'), 'Error while retrieving data.');
 }
开发者ID:netconstructor,项目名称:forkcms,代码行数:88,代码来源:check_status.php

示例15: processContent

 /**
  * Function to store the actual content for either HTML or plain text.
  *
  * @param	string $content			The body of the e-mail you wish to send.
  * @param	array $variables		The variables to parse into the content.
  * @param	string[optional] $type	The e-mail type. Either 'html' or 'plain'.
  */
 private function processContent($content, $variables, $type = 'html')
 {
     // check for type
     $type = SpoonFilter::getValue($type, array('html', 'plain'), 'html');
     // exploded string
     $exploded = explode('/', str_replace('\\', '/', $content));
     $filename = end($exploded);
     // check if the string provided is a formatted as a file
     if (SpoonFilter::isFilename($filename) && preg_match('/^[\\S]+\\.\\w{2,3}[\\S]$/', $filename) && !strstr($filename, ' ')) {
         // check if template exists
         if (!SpoonFile::exists($content)) {
             throw new SpoonEmailException('Template not found. (' . $content . ')');
         }
         // store content
         $this->content[$type] = (string) $this->getTemplateContent($content, $variables);
     } else {
         // set the name for the temporary file
         $tempFile = $this->compileDirectory . '/' . md5(uniqid()) . '.tpl';
         // write temp file
         SpoonFile::setContent($tempFile, $content);
         // store content
         $this->content[$type] = (string) $this->getTemplateContent($tempFile, $variables);
         // delete the temporary
         SpoonFile::delete($tempFile);
     }
 }
开发者ID:richsage,项目名称:forkcms,代码行数:33,代码来源:email.php


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