0

下面的代码将从命名文件夹中选择我的所有 php 文件,然后将它们打乱并在我的页面上回显 10 个结果,该文件夹包含一个 index.php 文件,我希望将其从结果中排除。

<?php 

if ($handle = opendir('../folder/')) {
    $fileTab = array();
    while (false !== ($file = readdir($handle))) {
        if ($file != "." && $file != "..") {
            $fileTab[] = $file;
        }
    }
    closedir($handle);
    shuffle($fileTab);
    foreach(array_slice($fileTab, 0, 10) as $file) {
        $title = str_replace('-', ' ', pathinfo($file, PATHINFO_FILENAME));
        $thelist .= '<p><a href="../folder/'.$file.'">'.$title.'</a></p>';
    }
}
?>
<?=$thelist?>

我找到了一个排除 index.php 的代码,但我不确定如何将它合并到我上面的代码中。

<?php
$random = array_values( preg_grep( '/^((?!index.php).)*$/', glob("../folder/*.php") ) );
$answer = $random[mt_rand(0, count($random) -1)];
include ($answer);
?> 
4

7 回答 7

2

为什么不直接修改行

if ($file != "." && $file != "..") {

if ($file != "." && $file != ".." && $file != 'index.php') {
于 2013-01-20T20:34:35.170 回答
1

基于 glob() 而不是 readdir() 的方法:

<?php 
$files = glob('../folder/*.php');
shuffle($files);
$selection = array_slice($files, 0, 11);

foreach ($selection as $file) {
    $file = basename($file);
    if ($file == 'index.php') continue;

    $title = str_replace('-', ' ', pathinfo($file, PATHINFO_FILENAME));
    // ...
}
于 2013-01-20T20:37:30.787 回答
1

您可以使用

$it = new FilesystemIterator(__DIR__, FilesystemIterator::SKIP_DOTS);
$it = new RegexIterator($it, '/.php$/i', RegexIterator::MATCH);
$exclude = array("index.php");
foreach ( $it as $splFileInfo ) {
    if (in_array($splFileInfo->getBasename(), $exclude))
        continue;

    // Do other stuff
}

或者简单地说

$files = array_filter(glob(__DIR__ . "/*.php"), function ($v) {
    return false === strpos($v, 'index.php');
});
于 2013-01-20T20:38:54.923 回答
0

您可以在阅读目录内容时排除它(就像使用“.”和“..”一样):

if ($handle = opendir('../folder/')) {
    $fileTab = array();
    while (false !== ($file = readdir($handle))) {
        if ($file != "." && $file != ".." && $file != "index.php") {
            $fileTab[] = $file;
        }
    }
    closedir($handle);
    shuffle($fileTab);
    foreach(array_slice($fileTab, 0, 10) as $file) {
        $title = str_replace('-', ' ', pathinfo($file, PATHINFO_FILENAME));
        $thelist .= '<p><a href="../folder/'.$file.'">'.$title.'</a></p>';
    }
}
?>
于 2013-01-20T20:35:37.313 回答
0
while (false !== ($file = readdir($handle)))
{
    if ($file != "." && $file != ".." && $file != 'index.php')
        $fileTab[] = $file;
}
于 2013-01-20T20:36:46.110 回答
0

你可以把这条线if ($file != "." && $file != "..") {改成if ($file != "." && $file != ".." && $file != 'index.php') {

于 2013-01-20T20:36:49.257 回答
0

您找到的代码取代了繁琐的目录读取循环。

它应该只是:

 $files = preg_grep('~/index\.php$~', glob("../folder/*.php"), PREG_GREP_INVERT);

像以前一样获取10个元素:

 $files = array_slice($files, 0, 10);

然后输出那些。

于 2013-01-20T20:44:32.863 回答