web-dev-qa-db-ja.com

リモートサーバーまたはURLからファイルをコピーする

私は次のコードを持っています:

$file = 'http://3.bp.blogspot.com/-AGI4aY2SFaE/Tg8yoG3ijTI/AAAAAAAAA5k/nJB-mDhc8Ds/s400/rizal001.jpg';
$newfile = '/img/submitted/yoyo.jpg';

if ( copy($file, $newfile) ) {
    echo "Copy success!";
}else{
echo "Copy failed.";
}

常に「コピーに失敗しました」と出力されます

copy(/img/submitted/yoyo.jpg) [function.copy]: failed to open stream: No such file or directory

私のディレクトリは777に設定されています。

何か案は?ありがとう!

20
Kris

copy()source引数としてURLを受け入れますが、URLを発行している可能性があります宛先

出力ファイルへの完全なファイルシステムパスを指定しようとしましたか?新しいファイルをリモートサーバーに配置しようとしていないと思います。

例えば:

$file = 'http://3.bp.blogspot.com/-AGI4aY2SFaE/Tg8yoG3ijTI/AAAAAAAAA5k/nJB-mDhc8Ds/s400/rizal001.jpg';
$newfile = $_SERVER['DOCUMENT_ROOT'] . '/img/submitted/yoyo.jpg';

if ( copy($file, $newfile) ) {
    echo "Copy success!";
}else{
    echo "Copy failed.";
}

上記は私にとってうまくいきました。

58
Mark Biek

古いプロジェクトの1つでこの関数を見つけました。

private function download_file ($url, $path) {

  $newfilename = $path;
  $file = fopen ($url, "rb");
  if ($file) {
    $newfile = fopen ($newfilename, "wb");

    if ($newfile)
    while(!feof($file)) {
      fwrite($newfile, fread($file, 1024 * 8 ), 1024 * 8 );
    }
  }

  if ($file) {
    fclose($file);
  }
  if ($newfile) {
    fclose($newfile);
  }
 }
6

ファイルが公開されていない場合、ファイルにアクセスせずにサーバーからファイルをコピーすることはできません。

ftp_get() を使用して、FTP接続を開き、ファイルをコピーできます。

$local_file = 'localname.Zip'; // the nam
$server_file = 'servername.Zip';
$conn = ftp_connect($ftp_server);

$login_result = ftp_login($conn, $ftp_user_name, $ftp_user_pass);

if (ftp_get($conn, $local_file, $server_file, FTP_BINARY)) {
    echo "Successfully copied";
}
ftp_close($conn);

ただし、URLからファイルをダウンロードする場合

$fullPath = "filepath.pdf";

if ($fd = fopen ($fullPath, "r")) {
    $fsize = filesize($fullPath);
    $path_parts = pathinfo($fullPath);
    $ext = strtolower($path_parts["extension"]);
    header("Content-type: application/octet-stream");
    header("Content-Disposition: filename=\"".$path_parts["basename"]."\"");
    header("Content-length: $fsize");
    header("Cache-control: private"); //use this to open files directly
    while(!feof($fd)) {
        $buffer = fread($fd, 2048);
        echo $buffer;
    }
}
fclose ($fd);
3
Starx