php发送http请求方法实例及详解

时间:2023-12-19 20:10:38

http请求有get,post。

php发送http请求有三种方式[我所知道的有三种,有其他的告诉我]。

  1. file_get_contents();详情见:http://www.whosmall.com/
  2. curl发送请求。
  3. fsocket发送。

下面说使用curl发送。

首先环境需要配置好curl组件。

1
2
3
4
5
6
7
8
9
10
在windows中让php支持curl比较简单:
在php.ini中将extension=php_curl.dll前面的分号去掉,
有人说需要将php根目录的libeay32.dll和ssleay32.dll需要拷贝到系统目录下去。我实验不拷贝也可以。
在linux中,如果使用源码安装,需要在make 之前,./configure --with-curl=path,
其中,path是你的 libcurl库的位置,比如你安装libcurl库之后,
path可能就是/usr/local/,libcurl可以是静态库,也可以是动态库。
注意libcurl库configure的时候,可以将一些不需要的功能去掉,
比如ssl , ldap等。在php configure的时候,会去检查libcurl中某些功能是否被开启,
进而去相应地调整生成的php

  

两个使用curl发请求的例子。

php发送http请求方法实例及详解
// 初始化一个 cURL 对象
$curl = curl_init();
// 设置你需要抓取的URL
curl_setopt($curl, CURLOPT_URL, 'http://www.whosmall.com/');
// 设置header 响应头是否输出
curl_setopt($curl, CURLOPT_HEADER, 1);
// 设置cURL 参数,要求结果保存到字符串中还是输出到屏幕上。
// 1如果成功只将结果返回,不自动输出任何内容。如果失败返回FALSE
curl_setopt($curl, CURLOPT_RETURNTRANSFER, 0);
// 运行cURL,请求网页
$data = curl_exec($curl);
// 关闭URL请求
curl_close($curl);
// 显示获得的数据
print_r($data);
php发送http请求方法实例及详解

再一个post方式的例子:

php发送http请求方法实例及详解
 //post方式
 $phoneNumber ="13912345678";
 $message = "testMessage";
 $curlPost = "phone=".urlencode($phoneNumber)."&message=".$message;
 $ch=curl_init();
 curl_setopt($ch,CURLOPT_URL,'http://mytest/lab/t.php');
 curl_setopt($ch,CURLOPT_HEADER,0);
 curl_setopt($ch,CURLOPT_RETURNTRANSFER,0);
 //设置是通过post还是get方法
 curl_setopt($ch,CURLOPT_POST,1);
 //传递的变量
 curl_setopt($ch,CURLOPT_POSTFIELDS,$curlPost);
 $data = curl_exec($ch);
 curl_close($ch);
php发送http请求方法实例及详解
在这个http://mytest/lab/t.php文件中:
 if(!empty($_POST)){
     print_r($_POST);
 }

就先写这么多。

Fsocket:

php发送http请求方法实例及详解
 $gurl = "http://mytest/lab/t.php?uu=gggggg";
 //print_r(parse_url($gurl));
 echo "以下是GET方式的响应内容:<br>";
 sock_get($gurl);
 function sock_get($url)
 {
     $info = parse_url($url);
     $fp = fsockopen($info["host"], 80, $errno, $errstr, 3);
     $head = "GET ".$info['path']."?".$info["query"]." HTTP/1.0\r\n";
     $head .= "Host: ".$info['host']."\r\n";
     $head .= "\r\n";
     $write = fputs($fp, $head);
     while (!feof($fp)){
         $line = fgets($fp);
         echo $line."<br>";
     }
 } 

 //fsocket模拟post提交
 $purl = "http://mytest/lab/t.php";
 echo "以下是POST方式的响应内容:<br>";
 sock_post($purl,"uu=rrrrrrrrrrrr&&kk=mmmmmm");
 function sock_post($url, $query)
 {
     $info = parse_url($url);
     $fp = fsockopen($info["host"], 80, $errno, $errstr, 3);
     $head = "POST ".$info['path']." HTTP/1.0\r\n";
     $head .= "Host: ".$info['host']."\r\n";
     $head .= "Referer: http://".$info['host'].$info['path']."\r\n";
     $head .= "Content-type: application/x-www-form-urlencoded\r\n";
     $head .= "Content-Length: ".strlen(trim($query))."\r\n";
     $head .= "\r\n";
     $head .= trim($query);
     $write = fputs($fp, $head);
     print_r(fgets($fp));
     while (!feof($fp))
     {
         $line = fgets($fp);
         echo $line."<br>";
     }
 }