Je dois créer un proxy pour un projet Flash Player sur lequel je travaille. Je dois simplement faire une requête HTTP GET avec une authentification HTTP-Basic vers une autre URL et envoyer la réponse de PHP comme si le fichier PHP était la source d'origine. Comment puis-je faire ceci?
Utilisez file_get_contents()
avec un stream
pour spécifier les informations d'identification HTTP ou utilisez curl
et l'option CURLOPT_USERPWD
.
Marc B a très bien répondu à cette question. J'ai récemment adopté son approche et je voulais partager le code résultant.
<?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);
?>
J'espère que cela aidera les gens!
J'ai pris le code de @ clone45 et l'ai transformé en une série de fonctions. Quelque chose comme l'interface request De Python (assez pour mes besoins) en n'utilisant aucun code externe. Peut-être que cela peut aider quelqu'un d'autre.
Il gère:
$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;
}