PHP - https: // POST-запрос? - PullRequest
       14

PHP - https: // POST-запрос?

0 голосов
/ 09 октября 2011

где моя ошибка в коде?

<?php
    error_reporting(-1);
    function PostRequest($url, $referer, $_data) {
        // convert variables array to string:
        $data = array();
        while(list($n,$v) = each($_data)){
            $data[] = "$n=$v";
        }
        $data = implode('&', $data);
        // format --> test1=a&test2=b etc.

        // parse the given URL
        $url = parse_url($url);

        // extract host and path:
        $host = $url['host'];
        $path = $url['path'];

        // open a socket connection on port 80
        $fp = fsockopen("ssl://".$host, 443);

        // send the request headers:
        fputs($fp, "POST $path HTTP/1.1\r\n");
        fputs($fp, "Host: $host\r\n");
        fputs($fp, "Referer: $referer\r\n");
        fputs($fp, "Content-type: application/x-www-form-urlencoded\r\n");
        fputs($fp, "Content-length: ". strlen($data) ."\r\n");
        fputs($fp, "Connection: close\r\n\r\n");
        fputs($fp, $data);

        $result = '';
        $safe=0;
        while(!feof($fp)&&$safe<1000) {
            // receive the results of the request
            $result .= fgets($fp, 128);
            $safe++;
        }

        // close the socket connection:
        fclose($fp);

        // split the result header from the content
        $result = explode("\r\n\r\n", $result, 2);

        $header = isset($result[0]) ? $result[0] : '';
        $content = isset($result[1]) ? $result[1] : '';

        // return as array:
        return array($header, $content);
    }

    /*
    ** The example:
    */

    // submit these variables to the server:
    $data = array(
        'email'=>'testemail',
        'pass'=>'testpass'
    );

    list($header, $content) = PostRequest("https://login.facebook.com/login.php", "http://facebook.com", $data);
    // print the result of the whole request:
    print $content;
?>

Я хочу создать сценарий автоматического входа для некоторых сайтов для личного пользования, этот код должен выполнить перенаправление на Facebook и автоматически войти в учетную запись, но код не работает, окно моего браузера все еще пустое.

Было бы здорово, если бы кто-нибудь мог мне помочь. Я уже пробовал это с CURL, но на моем тестовом сайте Facebook написано, что Cookies не включены.

1 Ответ

0 голосов
/ 09 октября 2011

Я предполагаю, что ответ - это перенаправление заголовка без тела.

Попробуйте, используя этот класс Я написал для ситуаций, когда cURL недоступен - он делает именно то, что вы пытаетесь сделать, но отнимает много работы, обрабатывая соединение и построение сообщения для вас, а также перенаправления заголовка Также предоставляет значимые сообщения об ошибках. Документировано в комментариях вверху файла.

Используйте приведенный выше класс и попробуйте следующий код ( EDITED FOR COOKIES ):

<?php

  function process_cookies ($httpobj, $cookiejar = array()) {
    // Function get the cookies that should be sent in the next request
    if (!count($cookies = $httpobj->getResponseCookies())) return $cookiejar;
    foreach ($cookies as $key => $data) {
      if ($data['value'] !== '' && (!isset($data['expirestime']) || $data['expirestime'] > time())) {
        $cookiejar[$key] = $data['value'];
      } else if (isset($cookiejar[$key])) {
        unset($cookiejar[$key]);
      }
    }
    return $cookiejar;
  }

  $url1 = 'http://www.facebook.com/';
  $url2 = 'https://login.facebook.com/login.php';

  // Fetch the class
  require('class.httprequest.php');

  // Create an object and get the main page of facebook.com
  $request1 = new httprequest;
  if (!$request1->setRequestURL($url1)) exit("Error setting request 1 URL: ".$request1->getLastErrorStr()."<br>\r\n");
  if (!$request1->sendRequest()) exit("Error sending request 1: ".$request1->getLastErrorStr()."<br>\r\n");

  // Create an object for the POST request
  $request2 = new httprequest;

  // Set request method and URL      
  $request2->setRequestMethod('POST');
  if (!$request2->setRequestURL($lastLocation = $url2)) exit("Error setting request URL: ".$request2->getLastErrorStr()."<br>\r\n");

  // All the other headers will be built by the class but we need
  // set this one explicitly
  $request2->setRequestHeader('Referer',$url1);

  // Get the cookies sent by the last request and forward them on
  $cookiejar = process_cookies($request1);
  if (count($cookiejar)) $request2->setRequestCookies($cookiejar);

  // Set the request body
  $data = array(
    'email'=>'testemail',
    'pass'=>'testpass'
  );
  $request2->setRequestControls($data);

  // We need to handle redirects ourselves to make sure the cookies are sent correctly
  $request2->setHandleRedirects(FALSE);

  // Keep looping until we get a 2xx response
  while (TRUE) {
    if (!$request2->sendRequest()) exit("Error sending request: ".$request2->getLastErrorStr()."<br>\r\n");
    if ($request2->getResponseCode() >= 200 && $request2->getResponseCode() < 300) break;
    if ($request2->getResponseCode() >= 300 && $request2->getResponseCode() < 400) {
      $nextLocation = $request2->getRequestHeader('location');
      if (!$nextLocation) exit("Error: Server responded with redirect response code ".$request2->getResponseCode().", but did not send a valid location header<br>\r\n");
      $cookiejar = process_cookies($request2,$cookiejar);
      $request2->resetRequestCookies();
      $request2->setRequestCookies($cookiejar);
      $request2->setRequestHeader('Referer',$lastLocation);
      if (!$request2->setRequestURL($lastLocation = $nextLocation)) exit("Error setting request URL: ".$request2->getLastErrorStr()."<br>\r\n");
      continue;
    }
    exit("Server responded with unhandled HTTP response code: ".$request2->getResponseCode()."<br>\r\n");
  }

  // validate and display the response
  if (!$response = $request2->getResponseBodyData(TRUE)) exit('Error: No body data returned<br>'."\r\n");
  exit($response);

?>
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...