Jump to content
  • 0

Вывод картинок из папок


Kisa1993
 Share

Question

На сайте есть загрузчик картинок на сервер, они сохраняются в отдельную папку. Можно ли как-нибудь вывести все фотографии которые там находятся на страницу.

P.S Или проще пути картинок загружать в БД, и от туда выводить циклом?

Link to comment
Share on other sites

2 answers to this question

Recommended Posts

  • 0

можно воспользоваться классом CFileHelper из фреймворка Yii:

class CFileHelper {
public static function findFiles($dir, $options = array()) {
$fileTypes = array();
$exclude = array();
$level = -1;
extract($options);
$list = self::findFilesRecursive($dir, '', $fileTypes, $exclude, $level);
sort($list);
return $list;
}

protected static function findFilesRecursive($dir, $base, $fileTypes, $exclude, $level) {
$list = array();
$handle = opendir($dir);
while (($file = readdir($handle)) !== false) {
if ($file === '.' || $file === '..')
continue;
$path = $dir . DIRECTORY_SEPARATOR . $file;
$isFile = is_file($path);
if (self::validatePath($base, $file, $isFile, $fileTypes, $exclude))
if ($isFile)
$list[] = $path;
else if ($level)
$list = array_merge($list, self::findFilesRecursive($path, $base . '/' . $file, $fileTypes, $exclude, $level - 1));
}
closedir($handle);
return $list;
}

protected static function validatePath($base, $file, $isFile, $fileTypes, $exclude) {
foreach ($exclude as $e)
if ($file === $e || strpos($base . '/' . $file, $e) === 0)
return false;
if (!$isFile || empty($fileTypes))
return true;
if (($type = pathinfo($file, PATHINFO_EXTENSION)) !== '')
return in_array($type, $fileTypes);
else
return false;
}
}

(здесь я вырезал не нужные для вашего случая функции)

Помещаете этот код посреди вашего кода, или же помещаете этот код в отдельный файл, а затем подключаете этот файл через include

Использование:

findFiles($dir, array $options=array ( ))
$dir - директория, в которой ищутся файлы
$options - массив с настройками поиска, возможны следующие настройки:
fileTypes: массив со списком расширений файлов (без точки). Если указано, возвращает только файлы с указанным расширением.
exclude: массив, список директорий или файлов, которые нужно исключить из результатов. Исключение может являться названием файла/папки, или же абсолютным путем.
level: целое число, глубина рекурсии. По умолчанию = -1.
Уровень -1 означает поиск по всем директориям внури указанной директории;
Уровень 0 означает поиск файлов только в директории, исключая поддиректории.
Произвольный уровень означает поиск по произвольному уровню вложенности папок.

Пример использования:

$files = CFileHelper::findFiles(realpath($_SERVER['DOCUMENT_ROOT']), array('level' => 0));
echo '<pre>'; print_r($files); echo '</pre>';

вернет в моем случае:

Array

(

[0] => C:\srv\domains\test\public_html\.htaccess

[1] => C:\srv\domains\test\public_html\index.php

[2] => C:\srv\domains\test\public_html\test.php

)

что означает поиск по самой верхней директории сайта, не просматривая вложенные папки.

я описал, как можно получить список файлов из директории, согласно вопросу "Можно ли как-нибудь вывести все фотографии которые там находятся на страницу.", думаю вы сможете обработать вывод функции, чтобы выводить файлы на странице

но если что, вот подсказка

$img_files = CFileHelper::findFiles(realpath($_SERVER['DOCUMENT_ROOT'] . '/images/'), array('level' => 0));
foreach ($img_files as $key => $img_file)
$images[] = basename($img_file);

foreach ($images as $key => $image) {
echo '<img src="/images/'.$image.'"/>';
}

Edited by NeoXidizer
Link to comment
Share on other sites

Join the conversation

You can post now and register later. If you have an account, sign in now to post with your account.
Note: Your post will require moderator approval before it will be visible.

Guest
Answer this question...

×   Pasted as rich text.   Paste as plain text instead

  Only 75 emoji are allowed.

×   Your link has been automatically embedded.   Display as a link instead

×   Your previous content has been restored.   Clear editor

×   You cannot paste images directly. Upload or insert images from URL.

 Share

×
×
  • Create New...

Important Information

We have placed cookies on your device to help make this website better. You can adjust your cookie settings, otherwise we'll assume you're okay to continue. See more about our Guidelines and Privacy Policy