web-dev-qa-db-ja.com

HTTP基本認証を使用したHTTP GET要求の作成

作業中のFlash Playerプロジェクトのプロキシを構築する必要があります。 HTTPベーシック認証を使用して別のURLにHTTP GETリクエストを行い、PHPがPHPソース:どうすればいいですか?

26
Naftuli Kay

file_get_contents()stream とともに使用してHTTPクレデンシャルを指定するか、 curl を使用します=および CURLOPT_USERPWD オプション。

13
Marc B

Marc Bはこの質問に答えるのに素晴らしい仕事をしました。私は最近彼のアプローチを取り、結果のコードを共有したいと考えました。

<?PHP

$username = "some-username";
$password = "some-password";
$remote_url = 'http://www.somedomain.com/path/to/file';

// Create a stream
$opts = array(
  'http'=>array(
    'method'=>"GET",
    'header' => "Authorization: Basic " . base64_encode("$username:$password")                 
  )
);

$context = stream_context_create($opts);

// Open the file using the HTTP headers set above
$file = file_get_contents($remote_url, false, $context);

print($file);

?>

これが人々に役立つことを願っています!

84
clone45

@ clone45のコードを取得し、Pythonの requests インターフェイスのような一連の関数に変換しました(目的には十分です)。外部コードは使用しません。たぶんそれは他の誰かを助けることができます。

以下を処理します。

  • 基本認証
  • ヘッダー
  • パラメータを取得

使用法:

$url = 'http://sweet-api.com/api';
$params = array('skip' => 0, 'top' => 5000);
$header = array('Content-Type' => 'application/json');
$header = addBasicAuth($header, getenv('USER'), getenv('PASS'));
$response = request("GET", $url, $header, $params);
print($response);

定義

function addBasicAuth($header, $username, $password) {
    $header['Authorization'] = 'Basic '.base64_encode("$username:$password");
    return $header;
}

// method should be "GET", "PUT", etc..
function request($method, $url, $header, $params) {
    $opts = array(
        'http' => array(
            'method' => $method,
        ),
    );

    // serialize the header if needed
    if (!empty($header)) {
        $header_str = '';
        foreach ($header as $key => $value) {
            $header_str .= "$key: $value\r\n";
        }
        $header_str .= "\r\n";
        $opts['http']['header'] = $header_str;
    }

    // serialize the params if there are any
    if (!empty($params)) {
        $params_array = array();
        foreach ($params as $key => $value) {
            $params_array[] = "$key=$value";
        }
        $url .= '?'.implode('&', $params_array);
    }

    $context = stream_context_create($opts);
    $data = file_get_contents($url, false, $context);
    return $data;
}
1
Ben