使用 fgets/fread 挂起从 fsockopen 读取数据



这是我正在使用的代码:

if (!($fp = fsockopen('ssl://imap.gmail.com', '993', $errno, $errstr, 15)))
    echo "Could not connect to host";
$server_response = fread($fp, 256);
echo $server_response;
fwrite($fp, "C01 CAPABILITY"."rn");
while (!feof($fp)) {
    echo fgets($fp, 256);
}

我得到第一个回复:

OK Gimap ready for requests from xx.xx.xx.xx v3if9968808ibd.15 

但随后页面超时。我已经搜索了stream_set_blocking,stream_set_timeout,stream_select,恐惧等,但无法使其正常工作。我需要读取服务器发送的所有数据,然后继续执行其他命令(我将使用 imap 检索电子邮件)。

谢谢

您的脚本在末尾的 while 循环中挂起。这是因为您已使用 !feof() 作为循环的条件,并且服务器未关闭连接。这意味着feof()将始终返回false并且循环将永远持续。

当您编写完整的实现时,这不会成为问题,因为您将寻找响应代码并可以相应地脱离循环,例如:

<?php
  // Open a socket
  if (!($fp = fsockopen('ssl://imap.gmail.com', 993, $errno, $errstr, 15))) {
      die("Could not connect to host");
  }
  // Set timout to 1 second
  if (!stream_set_timeout($fp, 1)) die("Could not set timeout");
  // Fetch first line of response and echo it
  echo fgets($fp);
  // Send data to server
  echo "Writing data...";
  fwrite($fp, "C01 CAPABILITYrn");
  echo " Donern";
  // Keep fetching lines until response code is correct
  while ($line = fgets($fp)) {
    echo $line;
    $line = preg_split('/s+/', $line, 0, PREG_SPLIT_NO_EMPTY);
    $code = $line[0];
    if (strtoupper($code) == 'C01') {
      break;
    }
  }
  echo "I've finished!";

您的脚本应该可以正常工作。事实上,它正在起作用。

当我运行您的代码时,在我的电脑上查看以下结果:

* OK Gimap ready for requests from xx.xx.xx.xx l5if4585958ebb.20
* CAPABILITY IMAP4rev1 UNSELECT IDLE NAMESPACE QUOTA ID XLIST CHILDREN X-GM-EXT-1 XYZZY  SASL-IR AUTH=XOAUTH
C01 OK Thats all she wrote! l5if4585958ebb.20

由于 Gmail 不会断开您的连接。不会发生文件结尾。页面加载只是超时。

换句话说:您的脚本将继续等待,直到Gmail断开连接,不幸的是,这发生在您的页面加载已经超时之后。

相关内容

  • 没有找到相关文章

最新更新