有点坚持这一点并希望得到一些帮助。我正在尝试从字符串中的路径获取最后修改的目录。我知道有一个名为“is_dir”的函数,我做了一些研究,但似乎无法发挥作用。
我没有任何代码我很抱歉。
<?php
$path = '../../images/';
// echo out the last modified dir from inside the "images" folder
?>
例如:上面的路径变量目前在“images”目录中有5个子文件夹。我想要回显“sub5” - 这是最后一个修改过的文件夹。
答案 0 :(得分:2)
您可以使用
scandir()
代替is_dir()
功能来执行此操作。
这是一个例子。
function GetFilesAndFolder($Directory) {
/*Which file want to be escaped, Just add to this array*/
$EscapedFiles = [
'.',
'..'
];
$FilesAndFolders = [];
/*Scan Files and Directory*/
$FilesAndDirectoryList = scandir($Directory);
foreach ($FilesAndDirectoryList as $SingleFile) {
if (in_array($SingleFile, $EscapedFiles)){
continue;
}
/*Store the Files with Modification Time to an Array*/
$FilesAndFolders[$SingleFile] = filemtime($Directory . '/' . $SingleFile);
}
/*Sort the result as your needs*/
arsort($FilesAndFolders);
$FilesAndFolders = array_keys($FilesAndFolders);
return ($FilesAndFolders) ? $FilesAndFolders : false;
}
$data = GetFilesAndFolder('../../images/');
var_dump($data);
从上面的示例中,最后修改后的
Files
或Folders
将显示为升序。
您还可以通过选中is_dir()
函数来分隔文件和文件夹,并将结果存储在2个不同的数组中,例如$FilesArray=[]
和$FolderArray=[]
。
答案 1 :(得分:2)
以下是实现此目标的一种方法:
<?php
// Get an array of all files in the current directory.
// Edit to use whatever location you need
$dir = scandir(__DIR__);
$newest_file = null;
$mdate = null;
// Loop over files in directory and if it is a subdirectory and
// its modified time is greater than $mdate, set that as the current
// file.
foreach ($dir as $file) {
// Skip current directory and parent directory
if ($file == '.' || $file == '..') {
continue;
}
if (is_dir(__DIR__.'/'.$file)) {
if (filemtime(__DIR__.'/'.$file) > $mdate) {
$newest_file = __DIR__.'/'.$file;
$mdate = filemtime(__DIR__.'/'.$file);
}
}
}
echo $newest_file;
答案 2 :(得分:1)
这也可以像其他答案一样工作。谢谢大家的帮助!
<?php
// get the last created/modified directory
$path = "images/";
$latest_ctime = 0;
$latest_dir = '';
$d = dir($path);
while (false !== ($entry = $d->read())) {
$filepath = "{$path}/{$entry}";
if(is_dir($filepath) && filectime($filepath) > $latest_ctime) {
$latest_ctime = filectime($filepath);
$latest_dir = $entry;
}
} //end loop
echo $latest_dir;
?>