如何使用file_get_contents在PHP中发布数据?

问题描述 投票:272回答:3

我正在使用PHP的函数file_get_contents()来获取URL的内容,然后我通过变量$http_response_header处理头文件。

现在问题是某些URL需要将一些数据发布到URL(例如,登录页面)。

我怎么做?

我意识到使用stream_context我可以做到这一点,但我并不完全清楚。

谢谢。

php http http-post file-get-contents
3个回答
564
投票

使用file_get_contents发送HTTP POST请求并不难,实际上:正如您猜测的那样,您必须使用$context参数。

PHP手册中给出了一个例子,在这个页面上:HTTP context options(引用):

$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的第三个参数 - 仅此而已;-)

作为旁注:一般来说,要发送HTTP POST请求,我们倾向于使用curl,它提供了很多选项 - 但是流是PHP的好东西之一,没有人知道......太糟糕了.. 。


19
投票

另一种方法,你也可以使用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");
}

0
投票
$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");
}
© www.soinside.com 2019 - 2024. All rights reserved.