最近在研究Hacker News API時遇到一個HTTPS問題。因為所有的Hacker News API都是透過加密的HTTPS協定存取的,跟普通的HTTP協定不同,當使用PHP裡的函數 file_get_contents() 來取得API裡提供的資料時,出現錯誤,使用的程式碼是這樣的:
<?php $data = file_get_contents("https://www.liqingbo.cn/son?print=pretty"); ......
當運行上面的程式碼是遇到下面的錯誤提示:
PHP Warning: file_get_contents(): Unable to find the wrapper "https" - did you forget to enable it when you configured PHP?
:
在網上經過一番搜索,發現遇到這樣錯誤的人還不少,問題很直接,是因為在PHP的配置文件裡沒有開啟一個參數,在我本機上是 /apache/bin/php. ini 裡的 ;extension=php_openssl.dll 這一項,需要將前面的分號去掉。你可以用下面的腳本來檢查你的PHP環境的配置:
$w = stream_get_wrappers();echo 'openssl: ', extension_loaded )('openssl n";echo 'http wrapper: ', in_array('http', $w) ? 'yes':'no', "n";echo 'https wrapper: "n";echo 'https wrapper: w) ? 'yes':'no', "n";echo 'wrappers: ', var_dump($w);
。是:
openssl: no http wrapper: yes https wrapper: no wrappers: array(10) { [0]=> string(3) "php" [1]=> string(4) "file" [2]=> string(4) "glob" [3]=> string(4) "data" [4]=> string(4) "http" [5]=> string(3) "ftp" [6]=> string(3) "zip" [7]=> string(13) "compress.zlib" [8]=> string(14) "compress.bzip2" [9]=> string(4) "phar" }
替代方案
發現錯誤,修正錯誤,這很簡單,困難的是,發現錯誤後無法改正錯誤。我原本是想將這個腳本方法遠端主機上,但我無法修改遠端主機的PHP配置,結果是,我無法使用這一方案,但我們不能在一棵樹上吊死,這條路走不通,看看有沒有其它路。
另一個我常用的PHP裡抓取內容的函數是 curl ,它比 file_get_contents() 更強大,提供了很多的可選參數。對於存取 HTTPS 內容的問題,我們需要使用的 CURL 設定參數是:
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, FALSE);
你可以從語意上看出,它是忽略/跳過了SSL安全驗證。也許這不是一個很好的做法,但對於普通的場景中,這幾經足夠了。
下面是利用 Curl 封裝的一個能存取HTTPS內容的函數:
function getHTTPS($url) { $ch = curl_init(); curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, FALSE); curl_setopt($ch, CURLOPT_HEADER, false); curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true); curl_setopt($ch, CURLOPT_URL, $url); curl_setopt($ch, CURLOPT_REFERER, $url); curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE); $result = curl_exec($ch); curl_close($ch); return $result; }
以上就是php獲取https內容的全部實用過程了,很簡單項目,推薦給有相同需求的小夥伴。