PHPを使用してディレクトリの内容全体を別のディレクトリにコピーする


146

を使用してディレクトリの内容全体を別の場所にコピーしようとしました

copy ("old_location/*.*","new_location/");

しかし、それはストリームを見つけることができないと言い、true *.*は見つかりません。

その他の方法で

おかげでデイブ


1
@編集者:それ"old_location/."は単なるタイプミスでしたか?
Felix Kling、2010年

Rich Rodeckerのブログには、まさにそれをしているように見えるスクリプトがあります。visible-form.com/blog/copy-directory-in-php
ジョンFハンコック

@Felix:同じことを考えていた。最初のリビジョンにロールバックしましたが、ありました"old_location/*.*。を含むリビジョンが見つかりません"old_location/."
Asaph

@Asaph:あなたのロールバックは、歴史を見てOKだった...私は意味copy ("old_location/.","new_location/");
フェリックスクリング

3
@daveいつ受け入れられますか:)?
Nam G VU 2011

回答:


239

コピー単一のファイルのみを処理するようですこれは、このドキュメントコピードキュメントページにある再帰的にコピーするための関数です。

<?php 
function recurse_copy($src,$dst) { 
    $dir = opendir($src); 
    @mkdir($dst); 
    while(false !== ( $file = readdir($dir)) ) { 
        if (( $file != '.' ) && ( $file != '..' )) { 
            if ( is_dir($src . '/' . $file) ) { 
                recurse_copy($src . '/' . $file,$dst . '/' . $file); 
            } 
            else { 
                copy($src . '/' . $file,$dst . '/' . $file); 
            } 
        } 
    } 
    closedir($dir); 
} 
?>

2
これはアスタリスクであり、星ではありません;)
Gordon

6
魅力のように動作します..ありがとう@FelixKling
Milap

2
なぜ@mkdir代わりにmkdir
Oliboy50 2014

3
Oliboy50 @:あなたは5年前にコードを書いた人尋ねることができるphp.net/manual/en/function.copy.php#91010を。おそらく、当時はエラーメッセージを抑制する方が人気がありました。
Felix Kling 2014

1
@ Oliboy50:なるほど。エラーメッセージは抑制されると思います。私は実際にそれを使用したことはありません。これはドキュメントです:us3.php.net/manual/en/language.operators.errorcontrol.php
Felix Kling

90

ここで説明し、これはあまりにもシンボリックリンクの世話をする別のアプローチです。

/**
 * Copy a file, or recursively copy a folder and its contents
 * @author      Aidan Lister <aidan@php.net>
 * @version     1.0.1
 * @link        http://aidanlister.com/2004/04/recursively-copying-directories-in-php/
 * @param       string   $source    Source path
 * @param       string   $dest      Destination path
 * @param       int      $permissions New folder creation permissions
 * @return      bool     Returns true on success, false on failure
 */
function xcopy($source, $dest, $permissions = 0755)
{
    $sourceHash = hashDirectory($source);
    // Check for symlinks
    if (is_link($source)) {
        return symlink(readlink($source), $dest);
    }

    // Simple copy for a file
    if (is_file($source)) {
        return copy($source, $dest);
    }

    // Make destination directory
    if (!is_dir($dest)) {
        mkdir($dest, $permissions);
    }

    // Loop through the folder
    $dir = dir($source);
    while (false !== $entry = $dir->read()) {
        // Skip pointers
        if ($entry == '.' || $entry == '..') {
            continue;
        }

        // Deep copy directories
        if($sourceHash != hashDirectory($source."/".$entry)){
             xcopy("$source/$entry", "$dest/$entry", $permissions);
        }
    }

    // Clean up
    $dir->close();
    return true;
}

// In case of coping a directory inside itself, there is a need to hash check the directory otherwise and infinite loop of coping is generated

function hashDirectory($directory){
    if (! is_dir($directory)){ return false; }

    $files = array();
    $dir = dir($directory);

    while (false !== ($file = $dir->read())){
        if ($file != '.' and $file != '..') {
            if (is_dir($directory . '/' . $file)) { $files[] = hashDirectory($directory . '/' . $file); }
            else { $files[] = md5_file($directory . '/' . $file); }
        }
    }

    $dir->close();

    return md5(implode('', $files));
}

140のサブフォルダーがあり、各サブフォルダーに21の画像が含まれているフォルダーをコピーするのに適しています。よく働く!ありがとう!
Darksaint2014

1
mkdirtrue再帰的なディレクトリをサポートする最後のパラメータとして追加する必要があります。このスクリプトは完璧です
ZenithS

これでフォルダ全体がコピーされますか?質問にあるように、親フォルダーなしでフォルダーのファイルのみをコピーしたい場合はどうcopy ("old_location/*.*","new_location/");でしょうか。ドットファイルがある場合、それらは一致しますか?
XCS

35

copy()はファイルでのみ機能します。

DOSのcopyコマンドとUnixのcpコマンドはどちらも再帰的にコピーするため、最も簡単な解決策は、これらをシェルアウトして使用することです。例えば

`cp -r $src $dest`;

それ以外の場合は、opendir/ readdirまたはscandirディレクトリの内容を読み取るために使用する必要があり、結果を反復処理し、is_dirがそれぞれに対してtrueを返す場合は、そこに再帰します。

例えば

function xcopy($src, $dest) {
    foreach (scandir($src) as $file) {
        if (!is_readable($src . '/' . $file)) continue;
        if (is_dir($src .'/' . $file) && ($file != '.') && ($file != '..') ) {
            mkdir($dest . '/' . $file);
            xcopy($src . '/' . $file, $dest . '/' . $file);
        } else {
            copy($src . '/' . $file, $dest . '/' . $file);
        }
    }
}

1
ここでXCOPYのより安定したクリーンなバージョンが存在する場合、フォルダを作成しません)(である: function xcopy($src, $dest) { foreach (scandir($src) as $file) { $srcfile = rtrim($src, '/') .'/'. $file; $destfile = rtrim($dest, '/') .'/'. $file; if (!is_readable($srcfile)) { continue; } if ($file != '.' && $file != '..') { if (is_dir($srcfile)) { if (!file_exists($destfile)) { mkdir($destfile); } xcopy($srcfile, $destfile); } else { copy($srcfile, $destfile); } } } }
TheStoryCoder

バックティックソリューションをありがとう!コピーコマンドの微調整に役立つページ:UNIX cpの説明。追加情報:PHP> = 5.3はいくつかの素晴らしいイテレータを
maxpower9000

21

最善の解決策は!

<?php
$src = "/home/www/domain-name.com/source/folders/123456";
$dest = "/home/www/domain-name.com/test/123456";

shell_exec("cp -r $src $dest");

echo "<H3>Copy Paste completed!</H3>"; //output when done
?>

31
あなたはどちらかのどちらかへのアクセスがないWindowsサーバや他の環境では動作しませんshell_execかをcp。私の意見では、それが「最善の」解決策となることはほとんどありません。
ペルマイスター

3
それとは別に、誰かがサーバー上でファイルを取得する方法を見つけた場合、PHPファイルからのコマンドラインコントロールは大きな問題になる可能性があります。
Martijn 14

魅力のように働いた!CentOS上で、それはうまくいきました。ありがとう@bstpierre
Nick Green

1
これはcpLinuxコマンドであるため、Windowsではまったく機能しません。Windowsの場合xcopy dir1 dir2 /e /i、は/e空の/iディレクトリのコピーを表し、ファイルまたはディレクトリに関する質問を無視します
Michel

はい、サーバーがこのコマンドをサポートし、必要な権限を持っている場合は、これが最良のソリューションです。とても速いです。残念ながら、すべての環境で機能するわけではありません。
mdikici

13
function full_copy( $source, $target ) {
    if ( is_dir( $source ) ) {
        @mkdir( $target );
        $d = dir( $source );
        while ( FALSE !== ( $entry = $d->read() ) ) {
            if ( $entry == '.' || $entry == '..' ) {
                continue;
            }
            $Entry = $source . '/' . $entry; 
            if ( is_dir( $Entry ) ) {
                full_copy( $Entry, $target . '/' . $entry );
                continue;
            }
            copy( $Entry, $target . '/' . $entry );
        }

        $d->close();
    }else {
        copy( $source, $target );
    }
}

完璧に動作します!ありがとう、ブロ
Robin Delaporte

8

他の場所で述べたように、copyソースでは1つのファイルでのみ機能し、パターンでは機能しません。パターンごとにコピーする場合は、を使用globしてファイルを特定し、コピーを実行します。ただし、サブディレクトリはコピーされず、宛先ディレクトリも作成されません。

function copyToDir($pattern, $dir)
{
    foreach (glob($pattern) as $file) {
        if(!is_dir($file) && is_readable($file)) {
            $dest = realpath($dir . DIRECTORY_SEPARATOR) . basename($file);
            copy($file, $dest);
        }
    }    
}
copyToDir('./test/foo/*.txt', './test/bar'); // copies all txt files

変更を検討してください:$ dest = realpath($ dir。DIRECTORY_SEPARATOR)。basename($ file); 使用:$ dest = realpath($ dir)。DIRECTORY_SEPARATOR。basename($ file);
dawez 2013年

8
<?php
    function copy_directory( $source, $destination ) {
        if ( is_dir( $source ) ) {
        @mkdir( $destination );
        $directory = dir( $source );
        while ( FALSE !== ( $readdirectory = $directory->read() ) ) {
            if ( $readdirectory == '.' || $readdirectory == '..' ) {
                continue;
            }
            $PathDir = $source . '/' . $readdirectory; 
            if ( is_dir( $PathDir ) ) {
                copy_directory( $PathDir, $destination . '/' . $readdirectory );
                continue;
            }
            copy( $PathDir, $destination . '/' . $readdirectory );
        }

        $directory->close();
        }else {
        copy( $source, $destination );
        }
    }
?>

最後の4行目から、これを作ります

$source = 'wordpress';//i.e. your source path

そして

$destination ='b';

7

私のコードで感謝して使用してくれた彼の優れた答えについて、Felix Klingに感謝します。成功または失敗を報告するために、ブール値の戻り値を少し拡張します。

function recurse_copy($src, $dst) {

  $dir = opendir($src);
  $result = ($dir === false ? false : true);

  if ($result !== false) {
    $result = @mkdir($dst);

    if ($result === true) {
      while(false !== ( $file = readdir($dir)) ) { 
        if (( $file != '.' ) && ( $file != '..' ) && $result) { 
          if ( is_dir($src . '/' . $file) ) { 
            $result = recurse_copy($src . '/' . $file,$dst . '/' . $file); 
          }     else { 
            $result = copy($src . '/' . $file,$dst . '/' . $file); 
          } 
        } 
      } 
      closedir($dir);
    }
  }

  return $result;
}

1
関数名としてrecurse_copy()およびrecurseCopy()を使用している場合は、それを更新します。
AgelessEssence 2013

closedir($ dir); ステートメントはif($ reslut === true)ステートメントの外にある必要があります。つまり、1つの中括弧がさらに下にあります。そうしないと、リソースが解放されない危険があります。
Dimitar Darazhanski


5

@Kzoty回答の剪定バージョン。クゾティさん、ありがとうございます。

使用法

Helper::copy($sourcePath, $targetPath);

class Helper {

    static function copy($source, $target) {
        if (!is_dir($source)) {//it is a file, do a normal copy
            copy($source, $target);
            return;
        }

        //it is a folder, copy its files & sub-folders
        @mkdir($target);
        $d = dir($source);
        $navFolders = array('.', '..');
        while (false !== ($fileEntry=$d->read() )) {//copy one by one
            //skip if it is navigation folder . or ..
            if (in_array($fileEntry, $navFolders) ) {
                continue;
            }

            //do copy
            $s = "$source/$fileEntry";
            $t = "$target/$fileEntry";
            self::copy($s, $t);
        }
        $d->close();
    }

}

1

SPL Directory Iteratorでディレクトリ全体を複製します。

function recursiveCopy($source, $destination)
{
    if (!file_exists($destination)) {
        mkdir($destination);
    }

    $splFileInfoArr = new RecursiveIteratorIterator(new RecursiveDirectoryIterator($source), RecursiveIteratorIterator::SELF_FIRST);

    foreach ($splFileInfoArr as $fullPath => $splFileinfo) {
        //skip . ..
        if (in_array($splFileinfo->getBasename(), [".", ".."])) {
            continue;
        }
        //get relative path of source file or folder
        $path = str_replace($source, "", $splFileinfo->getPathname());

        if ($splFileinfo->isDir()) {
            mkdir($destination . "/" . $path);
        } else {
        copy($fullPath, $destination . "/" . $path);
        }
    }
}
#calling the function
recursiveCopy(__DIR__ . "/source", __DIR__ . "/destination");

0
// using exec

function rCopy($directory, $destination)
{

    $command = sprintf('cp -r %s/* %s', $directory, $destination);

    exec($command);

}

0

Linuxサーバーの場合、権限を保持しながら再帰的にコピーするために必要なコードは1行だけです。

exec('cp -a '.$source.' '.$dest);

それを行う別の方法は次のとおりです。

mkdir($dest);
foreach ($iterator = new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($source, \RecursiveDirectoryIterator::SKIP_DOTS), \RecursiveIteratorIterator::SELF_FIRST) as $item)
{
    if ($item->isDir())
        mkdir($dest.DIRECTORY_SEPARATOR.$iterator->getSubPathName());
    else
        copy($item, $dest.DIRECTORY_SEPARATOR.$iterator->getSubPathName());
}

ただし、速度が遅く、権限が保持されません。


0

同じサーバー上のあるドメインから別のドメインにコピーする必要がある同様の状況がありました。ここでは、私の場合にうまく機能したものを示します。自分の状況に合わせて調整することもできます。

foreach(glob('../folder/*.php') as $file) {
$adjust = substr($file,3);
copy($file, '/home/user/abcde.com/'.$adjust);

「substr()」を使用すると、宛先が「/home/user/abcde.com/../folder/」になり、不要な場合があります。したがって、「/ home / user / abcde.com / folder /」である目的の宛先を取得するために、substr()を使用して最初の3文字(../)を削除しました。したがって、個人のニーズに合うまで、substr()関数とglob()関数を調整できます。お役に立てれば。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.