在我发送之前,我想看看请求中的post字段是什么。(用于调试)。

我使用的PHP库(类)已经做出(不是由我),所以我试图理解它。

据我所知,它使用curl_setopt()来设置不同的选项,如头等,然后它使用curl_exec()发送请求。

关于如何查看正在发送的post字段的想法?


当前回答

输出调试信息到STDERR:

$curlHandler = curl_init();

curl_setopt_array($curlHandler, [
    CURLOPT_URL => 'https://postman-echo.com/get?foo=bar',
    CURLOPT_RETURNTRANSFER => true,

    /**
     * Specify debug option
     */
    CURLOPT_VERBOSE => true,
]);

curl_exec($curlHandler);

curl_close($curlHandler);

输出调试信息到文件:

$curlHandler = curl_init();

curl_setopt_array($curlHandler, [
    CURLOPT_URL => 'https://postman-echo.com/get?foo=bar',
    CURLOPT_RETURNTRANSFER => true,

    /**
     * Specify debug option.
     */
    CURLOPT_VERBOSE => true,

    /**
     * Specify log file.
     * Make sure that the folder is writable.
     */
    CURLOPT_STDERR => fopen('./curl.log', 'w+'),
]);

curl_exec($curlHandler);

curl_close($curlHandler);

看到https://github.com/andriichuk/php-curl-cookbook debug-request

其他回答

你可以启用CURLOPT_VERBOSE选项:

curl_setopt($curlhandle, CURLOPT_VERBOSE, true);

当设置CURLOPT_VERBOSE时,输出被写入STDERR或使用CURLOPT_STDERR指定的文件。输出内容非常丰富。

您也可以使用tcpdump或wireshark来监视网络流量。

您可以启用CURLOPT_VERBOSE选项Curl, PHP并将该信息记录到(临时)CURLOPT_STDERR:

// CURLOPT_VERBOSE: TRUE to output verbose information.
// Writes output to STDERR, 
// -or- the file specified using CURLOPT_STDERR.
curl_setopt($curlHandle, CURLOPT_VERBOSE, true);

$streamVerboseHandle = fopen('php://temp', 'w+');
curl_setopt($curlHandle, CURLOPT_STDERR, $streamVerboseHandle);

然后你可以在curl完成请求后读取它:

$result = curl_exec($curlHandle);
if ($result === FALSE) {
    printf("cUrl error (#%d): %s<br>\n",
           curl_errno($curlHandle),
           htmlspecialchars(curl_error($curlHandle)))
           ;
}

rewind($streamVerboseHandle);
$verboseLog = stream_get_contents($streamVerboseHandle);

echo "cUrl verbose information:\n", 
     "<pre>", htmlspecialchars($verboseLog), "</pre>\n";

(我最初在一个相关的问题中回答了类似的问题,但更详细。)

更多的信息,比如上次请求的度量,可以通过curl_getinfo获得。这些信息对于调试curl请求也很有用。一个使用示例,我通常会把它包装到一个函数中:

$version = curl_version();
extract(curl_getinfo($curlHandle));
$metrics = <<<EOD
URL....: $url
Code...: $http_code ($redirect_count redirect(s) in $redirect_time secs)
Content: $content_type Size: $download_content_length (Own: $size_download) Filetime: $filetime
Time...: $total_time Start @ $starttransfer_time (DNS: $namelookup_time Connect: $connect_time Request: $pretransfer_time)
Speed..: Down: $speed_download (avg.) Up: $speed_upload (avg.)
Curl...: v{$version['version']}
EOD;

要获得CURL请求的信息,请执行以下操作:

$response = curl_exec($ch);

$info = curl_getinfo($ch);
var_dump($info);

如果你只是想要一个非常快速的方法来调试结果:

$ch = curl_init();
curl_exec($ch);
$curl_error = curl_error($ch);
echo "<script>console.log($curl_error);</script>"

这里有一种更简单的方法,直接写入php错误输出

curl_setopt($curl, CURLOPT_VERBOSE, true);
curl_setopt($curl, CURLOPT_STDERR, fopen('php://stderr', 'w'));