2

サブディレクトリ内のファイルをリストし、これらのリストを別のテキスト ファイルに書き込もうとしています。

ディレクトリとサブディレクトリの一覧を取得し、すべてのファイルをテキスト ファイルに書き込むことさえできました。

私が作成しているループから抜け出すことができていないようです。最終的に 1 つのテキスト ファイルになるか、2 つ目以降のファイルに先行するすべてのサブディレクトリの内容も含まれます。

私が達成する必要があるのは:

  • dir A/AA/a1.txt,a2.txt >> AA.log
  • ディレクトリ A/BB/b1.txt,b2.txt >> BB.log

これが理にかなっていることを願っています。

完全なツリーを取得する PHP SPL RecursiveDirectoryIterator RecursiveIteratorIteratorで説明されている recursiveDirectoryIterator メソッドが非常に役立つことがわかりました。次に、for とforeachループを使用してディレクトリを反復処理し、テキスト ファイルを書き込みますが、それらを複数のファイルに分割することはできません。

4

2 に答える 2

2

ほとんどの場合、ディレクトリ....

$maindir=opendir('A');
if (!$maindir) die('Cant open directory A');
while (true) {
  $dir=readdir($maindir);
  if (!$dir) break;
  if ($dir=='.') continue;
  if ($dir=='..') continue;
  if (!is_dir("A/$dir")) continue;
  $subdir=opendir("A/$dir");
  if (!$subdir) continue;
  $fd=fopen("$dir.log",'wb');
  if (!$fd) continue;
  while (true) {
    $file=readdir($subdir);
    if (!$file) break;
    if (!is_file($file)) continue;
    fwrite($fd,file_get_contents("A/$dir/$file");
  }
  fclose($fd);
}
于 2012-06-16T12:12:12.840 に答える
1

これはglob.

// Where to start recursing, no trailing slash
$start_folder = './test';
// Where to output files
$output_folder = $start_folder;

chdir($start_folder);

function glob_each_dir ($start_folder, $callback) {

    $search_pattern = $start_folder . DIRECTORY_SEPARATOR . '*';

    // Get just the folders in an array
    $folders = glob($search_pattern, GLOB_ONLYDIR);

    // Get just the files: there isn't an ONLYFILES option yet so just diff the
    // entire folder contents against the previous array of folders
    $files = array_diff(glob($search_pattern), $folders);

    // Apply the callback function to the array of files
    $callback($start_folder, $files);

    if (!empty($folders)) {
        // Call this function for every folder found
        foreach ($folders as $folder) {
            glob_each_dir($folder, $callback);
        }
    }
}

glob_each_dir('.', function ($folder_name, Array $filelist) {
        // Generate a filename from the folder, changing / or \ into _
        $output_filename = $_GLOBALS['output_folder']
            . trim(strtr(str_replace(__DIR__, '', realpath($folder_name)), DIRECTORY_SEPARATOR, '_'), '_')
            . '.txt';
        file_put_contents($output_filename, implode(PHP_EOL, $filelist));
    });
于 2012-06-16T13:07:52.850 に答える