0

我正在使用以下代码从文件夹生成照片库。我怎样才能明智地对缩略图日期进行排序。

<?php

        /* settings */
        $image_dir = 'photo_gallery/';
        $per_column = 6;


        /* step one:  read directory, make array of files */
        if ($handle = opendir($image_dir)) {
            while (false !== ($file = readdir($handle))) 
            {
                if ($file != '.' && $file != '..') 
                {
                    if(strstr($file,'-thumb'))
                    {
                        $files[] = $file;
                    }
                }
            }
            closedir($handle);
        }

        /* step two: loop through, format gallery */
        if(count($files))
        {


            foreach($files as $file)
            {
                $count++;
                echo '<a class="photo-link" rel="one-big-group" href="',$image_dir,str_replace('-thumb','',$file),'"><img src="',$image_dir,$file,'" width="100" height="100" /></a>';
                if($count % $per_column == 0) { echo '<div class="clear"></div>'; }
            }
        }
        else
        {
            echo '<p>There are no images in this gallery.</p>';
        }

    ?>
4

1 回答 1

0

要直接解决您的问题,在您阅读文件的目录时,您可以使用一些本机 php 函数获取有关文件的信息......

上次访问文件的时间:fileatime - http://www.php.net/manual/en/function.fileatime.php

创建文件时:filectime - http://www.php.net/manual/en/function.filectime.php

修改文件时:filemtime - http://php.net/manual/en/function.filemtime.php

这些返回时间,格式为 unix 时间。

为简单起见,我将使用 filectime 来查找时间,并将该值用作 $files 数组中的 KEY,如下所示: $files[filectime($file)] = $file;

然后,在开始第二步之前,您可以使用简单的数组排序函数(如 ksort())在循环外对它们进行排序。

现在......再深入一点......我可能会使用数据库来存储这样的信息,而不是每次加载页面时都访问文件系统。在开发过程中会增加一些开销,但根据目录的大小,可以为您节省大量时间和处理能力。

测试 2012-06-23

    /* settings */
    $image_dir = 'photo_gallery/';
    $per_column = 6;


    /* step one:  read directory, make array of files */
    if ($handle = opendir($image_dir)) {
        while (false !== ($file = readdir($handle))) 
        {
            if ($file != '.' && $file != '..') 
            {
                if(strstr($file,'-thumb'))
                {
                    $files[filemtime($image_dir . $file)] = $file;
                }
            }
        }
        closedir($handle);
    }

    /* step two: loop through, format gallery */
    if(count($files))
    {
        krsort($files);

        foreach($files as $file)
        {
            $count++;
            echo '<a class="photo-link" rel="one-big-group" href="',$image_dir,str_replace('-thumb','',$file),'"><img src="',$image_dir,$file,'" width="100" height="100" /></a>';
            if($count % $per_column == 0) { echo '<div class="clear"></div>'; }
        }
    }
    else
    {
        echo '<p>There are no images in this gallery.</p>';
    }

?>

于 2012-06-22T13:00:34.873 回答