Building an IMAP Email Client with PHP
1
Building an IMAP Email Client with PHP
http://www.toptal.com/php/building-an-imap-email-client-with-php/
https://github.com/mazaika/imap_driver/blob/master/imap_driver.php
Developers sometimes run into tasks that require access to email mailboxes. In most cases, this is done using the Internet Message Access Protocol, or IMAP. As a PHP developer, I first turned to PHP’s built in IMAP library, but this library is buggy and impossible to debug or modify. It is also not possible to customize IMAP commands to make full use of the protocol’s abilities.
So today, we will create a working IMAP email client from the ground up using PHP. We will also see how to use Gmail’s special commands.
We will implement IMAP in a custom class, imap_driver
. I will explain each step while building the class. You can download the whole imap_driver.php
at the end of the article.
Establishing a Connection
IMAP is a connection-based protocol and typically operates over TCP/IP with SSL security, so before we can make any IMAP calls we must open the connection.
We need to know the URL and port number of the IMAP server we want to connect to. This information is usually advertised in the service’s website or documentation. For example, for Gmail, the URL is ssl://imap.gmail.com
on port 993.
Since we want to know if initialization was successful, we will leave our class constructor empty, and all the connections will be made in a custom init()
method, which will return false
if the connection cannot be established:
class imap_driver
{
private $fp; // file pointer
public $error; // error message
...
public function init($host, $port)
{
if (!($this->fp = fsockopen($host, $port, $errno, $errstr, 15))) {
$this->error = "Could not connect to host ($errno) $errstr";
return false;
}
if (!stream_set_timeout($this->fp, 15)) {
$this->error = "Could not set timeout";
return false;
}
$line = fgets($this->fp); // discard the first line of the stream
return true;
}
private function close()
{
fclose($this->fp);
}
...
}
In the above code, I’ve set a timeout of 15 seconds, both for fsockopen()
to establish the connection, and for the data stream itself to respond to requests once it is open. It is important to have a timeout for every call to the network because, often enough, the server won’t respond, and we must be able to handle such a freeze.
I also grab the first line of the stream and ignore it. Usually this just a greeting message from the server, or a confirmation that it is connected. Check your particular mail service’s documentation to make sure this is the case.
Now we want to run the above code to see that init()
is successful:
include("imap_driver.php");
// test for init()
$imap_driver = new imap_driver();
if ($imap_driver->init('ssl://imap.gmail.com', 993) === false) {
echo "init() failed: " . $imap_driver->error . "\n";
exit;
}
Basic IMAP Syntax
Now that we have an active socket open to our IMAP server, we can start sending IMAP commands. Let us take a look at IMAP syntax.
The formal documentation can be found in Internet Engineering Task Force (IETF) RFC3501. IMAP interactions typically consist of the client sending commands, and the server responding with an indication of success, along with whatever data may have been requested.
The basic syntax for commands is:
line_number command arg1 arg2 ...
The line number, or “tag”, is a unique identifier for the command, that the server uses to indicate which command it is responding to should it be processing multiple commands at once.
Here is an example, showing the LOGIN
command:
00000001 LOGIN example@gmail.com password
The server’s response may begin with an “untagged” data response. For instance, Gmail responds to a successful login with an untagged response containing information about the server’s capabilities and options, and a command to fetch an email message will receive an untagged response containing the message body. In either case, a response should always end with a “tagged” command completion response line, identifying the line number of the command that the response applies to, a completion status indicator, and additional metadata about the command, if any:
line_number status metadata1 metadata2 ...
Here is how Gmail responds to the LOGIN
command:
- Success:
* CAPABILITY IMAP4rev1 UNSELECT IDLE NAMESPACE QUOTA ID XLIST CHILDREN X-GM-EXT-1 UIDPLUS
COMPRESS=DEFLATE ENABLE MOVE CONDSTORE ESEARCH UTF8=ACCEPT LIST-EXTENDED LIST-STATUS
00000001 OK example@gmail.com authenticated (Success)
- Failure:
00000001 NO [AUTHENTICATIONFAILED] Invalid credentials (Failure)
The status can be either OK
, indicating success, NO
, indicating failure, or BAD
, indicating an invalid command or bad syntax.
Implementing Basic Commands:
Let’s make a function to send a command to the IMAP server, and retrieve the response and endline:
class imap_driver
{
private $command_counter = "00000001";
public $last_response = array();
public $last_endline = "";
private function command($command)
{
$this->last_response = array();
$this->last_endline = "";
fwrite($this->fp, "$this->command_counter $command\r\n"); // send the command
while ($line = fgets($this->fp)) { // fetch the response one line at a time
$line = trim($line); // trim the response
$line_arr = preg_split('/\s+/', $line, 0, PREG_SPLIT_NO_EMPTY); // split the response into non-empty pieces by whitespace
if (count($line_arr) > 0) {
$code = array_shift($line_arr); // take the first segment from the response, which will be the line number
if (strtoupper($code) == $this->command_counter) {
$this->last_endline = join(' ', $line_arr); // save the completion response line to parse later
break;
} else {
$this->last_response[] = $line; // append the current line to the saved response
}
} else {
$this->last_response[] = $line;
}
}
$this->increment_counter();
}
private function increment_counter()
{
$this->command_counter = sprintf('%08d', intval($this->command_counter) + 1);
}
...
}
The LOGIN
Command
Now we can write functions for specific commands that call our command()
function under the hood. Let’s write a function for the LOGIN
command:
class imap_driver
{
...
public function login($login, $pwd)
{
$this->command("LOGIN $login $pwd");
if (preg_match('~^OK~', $this->last_endline)) {
return true;
} else {
$this->error = join(', ', $this->last_response);
$this->close();
return false;
}
}
...
}
Now we can test it like this. (Note that you must have an active email account to test against.)
...
// test for login()
if ($imap_driver->login('example@gmail.com', 'password') === false) {
echo "login() failed: " . $imap_driver->error . "\n";
exit;
}
Note that Gmail is very strict about security by default: it will not allow us to access an email account with IMAP if we have default settings and try to access it from a country other than the account profile’s country. But it is easy enough to fix; just set less secure settings in your Gmail account, as described here.
The SELECT
Command
Now let’s see how to select an IMAP folder in order to do something useful with our email. The syntax is similar to that of LOGIN
, thanks to our command()
method. We use the SELECT
command instead, and specify the folder.
class imap_driver
{
...
public function select_folder($folder)
{
$this->command("SELECT $folder");
if (preg_match('~^OK~', $this->last_endline)) {
return true;
} else {
$this->error = join(', ', $this->last_response);
$this->close();
return false;
}
}
...
}
To test it, let’s try to select the INBOX:
...
// test for select_folder()
if ($imap_driver->select_folder("INBOX") === false) {
echo "select_folder() failed: " . $imap_driver->error . "\n";
return false;
}
Implementing Advanced Commands
Let’s look at how to implement a few of IMAP’s more advanced commands.
The SEARCH
Command
A common routine in email analysis is to search for emails in a given date range, or search for flagged emails, and so on. The search criteria must be passed to the SEARCH
command as an argument, with space as a separator. For example, if we want to get all emails since November 20th, 2015, we must pass the following command:
00000005 SEARCH SINCE 20-Nov-2015
And the response will be something like this:
* SEARCH 881 882
00000005 OK SEARCH completed
Detailed documentation of possible search terms can be found here The output of a SEARCH
command is a list of UIDs of emails, separated by whitespace. A UID is a unique identifier of an email in the user’s account, in chronological order, where 1 is the oldest email. To implement the SEARCH
command we must simply return the resulting UIDs:
class imap_driver
{
...
public function get_uids_by_search($criteria)
{
$this->command("SEARCH $criteria");
if (preg_match('~^OK~', $this->last_endline)
&& is_array($this->last_response)
&& count($this->last_response) == 1) {
$splitted_response = explode(' ', $this->last_response[0]);
$uids = array();
foreach ($splitted_response as $item) {
if (preg_match('~^\d+$~', $item)) {
$uids[] = $item; // put the returned UIDs into an array
}
}
return $uids;
} else {
$this->error = join(', ', $this->last_response);
$this->close();
return false;
}
}
...
}
To test this command, we will get emails from the last three days:
...
// test for get_uids_by_search()
$ids = $imap_driver->get_uids_by_search('SINCE ' . date('j-M-Y', time() - 60 * 60 * 24 * 3));
if ($ids === false)
{
echo "get_uids_failed: " . $imap_driver->error . "\n";
exit;
}
The FETCH
Command with BODY.PEEK
Another common task is to get email headers without marking an email as SEEN
. From the IMAP manual, the command for retrieving all or part of an email is FETCH
. The first argument indicates which part we are interested in, and typically BODY
is passed, which will return the entire message along with its headers, and mark it as SEEN
. The alternative argument BODY.PEEK
will do the same thing, without marking the message as SEEN
.
IMAP syntax requires our request to also specify, in square brackets, the section of the email that we want to fetch, which in this example is [HEADER]
. As a result, our command will look like this:
00000006 FETCH 2 BODY.PEEK[HEADER]
And we will expect a response that looks like this:
* 2 FETCH (BODY[HEADER] {438}
MIME-Version: 1.0
x-no-auto-attachment: 1
Received: by 10.170.97.214; Fri, 30 May 2014 09:13:45 -0700 (PDT)
Date: Fri, 30 May 2014 09:13:45 -0700
Message-ID: <CACYy8gU+UFFukbE0Cih8kYRENMXcx1DTVhvg3TBbJ52D8OF6nQ@mail.gmail.com>
Subject: The best of Gmail, wherever you are
From: Gmail Team <mail-noreply@google.com>
To: Example Test <example@gmail.com>
Content-Type: multipart/alternative; boundary=001a1139e3966e26ed04faa054f4
)
00000006 OK Success
In order to build a function for fetching headers, we need to be able to return the response in a hash structure (key/value pairs):
class imap_driver
{
...
public function get_headers_from_uid($uid)
{
$this->command("FETCH $uid BODY.PEEK[HEADER]");
if (preg_match('~^OK~', $this->last_endline)) {
array_shift($this->last_response); // skip the first line
$headers = array();
$prev_match = '';
foreach ($this->last_response as $item) {
if (preg_match('~^([a-z][a-z0-9-_]+):~is', $item, $match)) {
$header_name = strtolower($match[1]);
$prev_match = $header_name;
$headers[$header_name] = trim(substr($item, strlen($header_name) + 1));
} else {
$headers[$prev_match] .= " " . $item;
}
}
return $headers;
} else {
$this->error = join(', ', $this->last_response);
$this->close();
return false;
}
}
...
}
And to test this code we just specify the UID of the message we are interested in:
...
// test for get_headers_by_uid
if (($headers = $imap_driver->get_headers_from_uid(2)) === false) {
echo "get_headers_by_uid() failed: " . $imap_driver->error . "\n";
return false;
}
Gmail IMAP Extensions
Gmail provides a list of special commands that can make our life much easier. The list of Gmail’s IMAP extension commands is available here. Let’s review a command that, in my opinion, is the most important one: X-GM-RAW
. It allows us to use Gmail search syntax with IMAP. For example, we can search for emails that are in the categories Primary, Social, Promotions, Updates, or Forums.
Functionally, X-GM-RAW
is an extension of the SEARCH
command, so we can reuse the code that we have above for the SEARCH
command. All we need to do is add the keyword X-GM-RAW
and criteria:
...
// test for gmail extended search functionality
$ids = $imap_driver->get_uids_by_search(' X-GM-RAW "category:primary"');
if ($ids === false) {
echo "get_uids_failed: " . $imap_driver->error . "\n";
return false;
}
The above code will return all UIDs that are listed in the “Primary” category.
Note: As of December 2015, Gmail often confuses the “Primary” category with the “Updates” category on some accounts. This is a Gmail bug that hasn’t been fixed yet.
Conclusion
Overall, the custom socket approach provides more freedom to the developer. It makes it possible to implement all commands in IMAP RFC3501. It will also give you better control over your code, since you don’t have to wonder what’s happening “behind the scenes.”
The full imap_driver
class that we implemented in this article can be found here. It can be used as-is, and it will take only a few minutes for a developer to write a new function or request to their IMAP server. I’ve also included a debug feature in the class for a verbose output.
1
reference links:
http://php.net/manual/en/book.imap.php
http://php.net/manual/zh/book.imap.php
https://github.com/SSilence/php-imap-client
http://stackoverflow.com/questions/1092723/how-do-you-build-a-web-based-email-client-using-php
http://www.devarticles.com/c/a/PHP/Create-Your-Own-Mail-Script-With-PHP-and-IMAP/
1
1
1
xxxxxxxxxxxxxxxx
xxxxxxxxxxxxxxxxxxxxxx
xxxxxxxxxxxxxxxxxxxxxx
Building an IMAP Email Client with PHP的更多相关文章
- MTA---smtp(25,postfix,sendmail),Pop3(110,Devocot), MUA(foxmail) IMAP(server,client rsync)
利用telnet进行SMTP的验证 =========先计算BASE64编码的用户名密码,认证登录需要用到=========== [crazywill@localhost crazywill]$ pe ...
- [Windows Azure] Building worker role B (email sender) for the Windows Azure Email Service application - 5 of 5.
Building worker role B (email sender) for the Windows Azure Email Service application - 5 of 5. This ...
- [mutt] Configure mutt to receive email via IMAP and send via SMTP
“All mail clients suck. This one [mutt] just sucks less.” Michael Elkins, ca. 1995 Actually I have t ...
- Building gRPC Client iOS Swift Note Taking App
gRPC is an universal remote procedure call framework developed by Google that has been gaining inter ...
- 电子邮件的三个协议: SMTP、IMAP、POP3
个人总结: 读完这篇文章需要10分钟 讲解了跟电子邮件有关的三个协议: SMTP(simple message transfer protocol 简单信息传输协议 IMAP (internet me ...
- 系统中没有邮件客户端设置autoLink=email会挂掉的问题
TextView的autoLink属性为我们提供了很大的便利性,当文本中有网址,邮箱或电话的时候可以让我们方便地执行打电话发邮件等动作,不过也有一些问题,比如说设置autoLink包含email属性, ...
- Sending e-mail
E-mail functionality uses the Apache Commons Email library under the hood. You can use theplay.libs. ...
- .NET C# 使用S22.Imap.dll接收邮件 并且指定收取的文件夹的未读邮件,并且更改未读准态
string host = Conf.ConfigInfo.POP_Host; int port = Conf.ConfigInfo.POP_Port; string username =Conf.C ...
- Android开发中怎样调用系统Email发送邮件(多种调用方式)
在Android中调用其他程序进行相关处理,几乎都是使用的Intent,所以,Email也不例外,所谓的调用Email,只是说Email可以接收Intent并做这些事情 我们都知道,在Android中 ...
随机推荐
- jmeter-命令行执行及测试报告导出
问题1:GUI方式能够进行测试报告导出? 回答:目前找了很多资料,没有找到采用GUI方式测试完成,然后命令方式导出测试报告: 问题2:命令行导出测试报告的前提都有啥?---- 这里参考了老_张大大的博 ...
- Bitter.Core系列六:Bitter ORM NETCORE ORM 全网最粗暴简单易用高性能的 NETCore ORM 之 示例 DataTable 模型转换
当我们查询之前,我们先构造一个查询对象的输出DTO.如下图代码: public class TScoreSearchDto { /// <summary> /// 分数 /// </ ...
- Nagle's algorithm 封包 网络游戏协议封包需注意点 封包挂
w41字节的数据包只有1字节的可用信息.以减少数据包发送量来提高TCP/IP网络性能. https://en.wikipedia.org/wiki/Nagle's_algorithm https:// ...
- Excel导出中HttpServletResponse消息头参数设置
response.setCharacterEncoding("UTF-8"); //编码格式为UTF-8 response.setContentType("applica ...
- CF42A
题意 给定两个序列 a 和 b. 序列 a 中的各个数之间的比例可以得出一个 x . 当 b 中比例满足 a 中比例,即 \(b_1\):\(b_2\):\(b_3\)-- \(=\) \(a_1\) ...
- $.extend、$.fn.extend
$.extend 1.扩展jQuery静态方法. $.extend({ myFun:function(){alert('test函数')} min: function(a, b) { return a ...
- MIT 6.S081 Lab File System
前言 打开自己的blog一看,居然三个月没更新了...回想一下前几个月,开题 + 实验室杂活貌似也没占非常多的时间,还是自己太懈怠了吧,掉线城和文明6真的是时间刹手( 不过好消息是把15445的所有l ...
- MySQL常见优化
MySQL常见优化 1.操作符优化 1.1<> 操作符(不等于) 1.2LIKE优化 1.3in,not in,exists与not exists 1.3.1in和exists 2.whe ...
- (史上最全)SNP位点与转录因子结合特异性数据库:GVATdb
众所周知,全基因组关联分析(GWAS)发现的很多变异位点基本为非编码,这些变异位点1)要么调控基因表达(eQTL); 2)要么影响增强子活性; 3)要么影响转录因子(TF)结合特异性; 4)要么啥也不 ...
- C#遇见C++的江湖 不行!得不到就干掉
C# VS C++ C#代码遇见了非托管dll如何处理 问题:托管与非托管,兼容? 方法一:DllImport 托管调试助手 "PInvokeStackImbalance" Me ...