8

PHP SDK を使用して、外部 URL から直接 Amazon S3 バケットにファイルをアップロードしたいと考えています。私は次のコードでこれを行うことができました:

$s3 = new AmazonS3();
$response = $s3->create_object($bucket, $destination, array(
  'fileUpload' => $source,
  'length' => remote_filesize($source),
  'contentType' => 'image/jpeg'
)); 

関数 remote_filesize は次のとおりです。

function remote_filesize($url) {
  ob_start();
  $ch = curl_init($url);
  curl_setopt($ch, CURLOPT_HEADER, 1);
  curl_setopt($ch, CURLOPT_NOBODY, 1);
  $ok = curl_exec($ch);
  curl_close($ch);
  $head = ob_get_contents();
  ob_end_clean();
  $regex = '/Content-Length:\s([0-9].+?)\s/';
  $count = preg_match($regex, $head, $matches);
  return isset($matches[1]) ? $matches[1] : "unknown";
}

ただし、Amazon にアップロードするときにファイルサイズの設定を省略できれば、自分のサーバーに行く手間が省けるので便利です。しかし、$s3->create_object 関数で「長さ」プロパティの設定を削除すると、「ストリーミング アップロードのストリーム サイズを特定できません」というエラーが表示されます。この問題を解決する方法はありますか?

4

2 に答える 2

3

次のように、URL から直接 Amazon S3 にファイルをアップロードできます (私の例は jpg 画像に関するものです)。

1.コンテンツをurlからバイナリに変換する

$binary = file_get_contents('http://the_url_of_my_image.....');

2.バイナリを渡すボディを持つ S3 オブジェクトを作成します。

$s3 = new AmazonS3();
$response = $s3->create_object($bucket, $filename, array(
    'body' => $binary, // put the binary in the body
    'contentType' => 'image/jpeg'
));

それだけで、非常に高速です。楽しみ!

于 2013-01-18T23:23:59.430 に答える
0

リモートサーバー/ホストを制御できますか?. その場合は、ファイルをローカルでクエリしてデータを渡すように php サーバーを設定できます。

そうでない場合は、curl などを使用してヘッダーを検査できます。

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, 'http://sstatic.net/so/img/logo.png');
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_HEADER, true);
curl_setopt($ch, CURLOPT_NOBODY, true);
curl_exec($ch);
$size = curl_getinfo($ch, CURLINFO_CONTENT_LENGTH_DOWNLOAD);
var_dump($size);

このように、ファイル全体をダウンロードするのではなく、HEAD リクエストを使用しています。それでも、リモート サーバーが正しい Content-length ヘッダーを送信することに依存しています。

于 2012-05-25T10:15:01.660 に答える