0

基本的に、私はphpスクリプトを使用してファイルをプロキシし、その後すぐに削除しています...ファイルが削除されておらず、その理由がわかりません。

これは少し文脈から外れているので、必要に応じてさらに説明してください。

exec("wget http://xxxx/123_" .$matches[1] . " --no-check-certificate -P /usr/share/nginx/www/" );

$file = "/usr/share/nginx/www/123_" . $matches[1];

if (file_exists($file)) {
    header('Content-Type: text/plain');
    header('Content-Length: ' . filesize($file));
    ob_clean();
    flush();
    readfile($file);
    exec("rm /usr/share/nginx/www/123_" . $matches[1] );

    exit;
}
4

1 に答える 1

2

削除する必要があるローカル ファイルを作成しない次のコードを試してください。

// Define URL
$url = "http://xxxx/123_{$matches[1]}";

// Open pointer to remote resource
if (!$remoteFP = @fopen($url, 'r')) {
  header("{$_SERVER['SERVER_PROTOCOL']} 500 Internal Server Error");
  exit;
}

// Get content length and type from remote server's headers
$length = $type = NULL;
foreach ($http_response_header as $header) { // Loop headers (see http://php.net/manual/en/reserved.variables.httpresponseheader.php)
  list($name, $val) = explode(':', $header, 2); // Split to key/value
  switch (strtolower(trim($name))) { // See if it's a value we want
    case 'content-length':
      $length = (int) trim($val);
      break;
    case 'content-type':
      $type = trim($val);
      break;
  }
  if ($length !== NULL && $type !== NULL) break; // if we have found both we can stop looping
}

// Send headers
if ($type === NULL) $type = 'text/plain';
header("Content-Type: $type");
if ($length) header("Content-Length: $length"); // Only send content-length if the server sent one. You may want to do the same for content-type.

// Open a file pointer for the output buffer
$localFP = fopen('php://output', 'w');

// Send the data to the remote party
stream_copy_to_stream($remoteFP, $localFP);

// Close streams and exit
fclose($remoteFP);
fclose($localFP);
exit;

これは、fopen()cURL などを介したアプローチを使用します。これにより、エンティティを出力バッファーに直接転送できるだけでなく、本文が完全に受信される前にリモート サーバーの応答ヘッダーにアクセスできるようになるためです。これは、PHP を使用してプロキシする最もリソース効率の高い方法です。

サーバーがallow_url_fopen無効になっている場合は、cURL を使用できる場合があります。これにより、データを直接出力バッファーに渡すこともできますが、リモート サーバーからヘッダーを解析して転送することはできません。

于 2012-04-11T13:28:02.373 に答える