web-dev-qa-db-ja.com

file_get_contentsを使用してPHPにデータを投稿する方法

私はPHPの関数file_get_contents()を使ってURLの内容を取得してから、変数$http_response_headerを通してヘッダーを処理します。

現在の問題は、一部のURLではURLに投稿するためのデータが必要なことです(ログインページなど)。

それ、どうやったら出来るの?

私はそれを実現できるかもしれないstream_contextを使用して実現しているが、私は完全に明確ではない。

ありがとう。

274
Paras Chopra

file_get_contents を使用してHTTP POST要求を送信するのはそれほど難しくありません。実際には、$contextパラメータを使用する必要があります。


PHPマニュアルのこのページに例があります。 HTTPコンテキストオプション(引用)

$postdata = http_build_query(
    array(
        'var1' => 'some content',
        'var2' => 'doh'
    )
);

$opts = array('http' =>
    array(
        'method'  => 'POST',
        'header'  => 'Content-Type: application/x-www-form-urlencoded',
        'content' => $postdata
    )
);

$context  = stream_context_create($opts);

$result = file_get_contents('http://example.com/submit.php', false, $context);

基本的には、正しいオプションでそのストリームを作成し(そのページには完全なリストがあります)、それをfile_get_contentsの3番目のパラメーターとして使用する必要があります。 - )


補足として:一般的に言って、HTTP POSTリクエストを送るために、私たちはcurlを使う傾向があります。これはたくさんのオプションをすべて提供します - しかしストリームは_のいいところの一つですPHP誰もが知っていることはありません...ひどすぎる….

554
Pascal MARTIN

別の方法として、fopenを使用することもできます。

$params = array('http' => array(
    'method' => 'POST',
    'content' => 'toto=1&tata=2'
));

$ctx = stream_context_create($params);
$fp = @fopen($sUrl, 'rb', false, $ctx);
if (!$fp)
{
    throw new Exception("Problem with $sUrl, $php_errormsg");
}

$response = @stream_get_contents($fp);
if ($response === false) 
{
    throw new Exception("Problem reading data from $sUrl, $php_errormsg");
}
18
Macbric
$sUrl = 'http://www.linktopage.com/login/';
$params = array('http' => array(
    'method'  => 'POST',
    'content' => 'username=admin195&password=d123456789'
));

$ctx = stream_context_create($params);
$fp = @fopen($sUrl, 'rb', false, $ctx);
if(!$fp) {
    throw new Exception("Problem with $sUrl, $php_errormsg");
}

$response = @stream_get_contents($fp);
if($response === false) {
    throw new Exception("Problem reading data from $sUrl, $php_errormsg");
}
0
user2525449