How to post data in PHP using file_get_contents?

前端 未结 3 1889
北恋
北恋 2020-11-22 01:05

I\'m using PHP\'s function file_get_contents() to fetch contents of a URL and then I process headers through the variable $http_response_header.

相关标签:
3条回答
  • 2020-11-22 01:14
    $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 讨论(0)
  • 2020-11-22 01:18

    An alternative, you can also use 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 讨论(0)
  • 2020-11-22 01:29

    Sending an HTTP POST request using file_get_contents is not that hard, actually : as you guessed, you have to use the $context parameter.


    There's an example given in the PHP manual, at this page : HTTP context options (quoting) :

    $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);
    

    Basically, you have to create a stream, with the right options (there is a full list on that page), and use it as the third parameter to file_get_contents -- nothing more ;-)


    As a sidenote : generally speaking, to send HTTP POST requests, we tend to use curl, which provides a lot of options an all -- but streams are one of the nice things of PHP that nobody knows about... too bad...

    0 讨论(0)
提交回复
热议问题