`

phpmailer【二】class.phpmailer.php源代码说明(部分)

    博客分类:
  • php
阅读更多

  phpmailer中的部分代码说明

  验证邮件的格式

 

 /** 
   * 验证邮件地址
   * Conforms approximately to RFC2822
   * @link http://www.hexillion.com/samples/#Regex Original pattern found here
   * @param string $address The email address to check
   * @return boolean
   * @static
   * @access public
   */
  public static function ValidateAddress($address) {
	 //存在filter_var方法使用filter_var方法直接验证,否则正则表达式验证
    if (function_exists('filter_var')) { //Introduced in PHP 5.2
      if(filter_var($address, FILTER_VALIDATE_EMAIL) === FALSE) {
        return false;
      } else {
        return true;
      }
    } else {
      return preg_match('/^(?:[\w\!\#\$\%\&\'\*\+\-\/\=\?\^\`\{\|\}\~]+\.)*[\w\!\#\$\%\&\'\*\+\-\/\=\?\^\`\{\|\}\~]+@(?:(?:(?:[a-zA-Z0-9_](?:[a-zA-Z0-9_\-](?!\.)){0,61}[a-zA-Z0-9_-]?\.)+[a-zA-Z0-9_](?:[a-zA-Z0-9_\-](?!$)){0,61}[a-zA-Z0-9_]?)|(?:\[(?:(?:[01]?\d{1,2}|2[0-4]\d|25[0-5])\.){3}(?:[01]?\d{1,2}|2[0-4]\d|25[0-5])\]))$/', $address);
    }
  }

 

  设置者发送者邮件发送名称

/**
 * 设置发送者的邮件和发送者名称
 * @param string $address  发送者邮件
 * @param string $name 发送者名称
 * @param string $auto 是否为自动回复
 * @return boolean
 */
  public function SetFrom($address, $name = '',$auto=1) {
    $address = trim($address);
    $name = trim(preg_replace('/[\r\n]+/', '', $name)); //Strip breaks and trim
     //验证发送者的邮件地址
    if (!self::ValidateAddress($address)) {
      $this->SetError($this->Lang('invalid_address').': '. $address);
      if ($this->exceptions) {
        throw new phpmailerException($this->Lang('invalid_address').': '.$address);
      }
      echo $this->Lang('invalid_address').': '.$address;
      return false;
    }
	//设置发送和发送者的用户名称
    $this->From = $address;
    $this->FromName = $name;
	//设置自动回复,将回复人设置为发送人
    if ($auto) {
      if (empty($this->ReplyTo)) {
        $this->AddAnAddress('ReplyTo', $address, $name);
      }
      if (empty($this->Sender)) {
        $this->Sender = $address;
      }
    }
    return true;
  }

 发送邮件

 

  /**
   * Creates message and assigns Mailer. If the message is
   * not sent successfully then it returns false.  Use the ErrorInfo
   * variable to view description of the error.
   * @return bool
   */
  public function Send() {
    try {
	  //接受人,抄送人,密送人之和小于1抛出异常
      if ((count($this->to) + count($this->cc) + count($this->bcc)) < 1) {
        throw new phpmailerException($this->Lang('provide_address'), self::STOP_CRITICAL);
      }

      // Set whether the message is multipart/alternative
      if(!empty($this->AltBody)) {
        $this->ContentType = 'multipart/alternative';
      }
	  //将错误信息清空
      $this->error_count = 0; // reset errors
	  //设置消息类型
      $this->SetMessageType();
	  //创建头
      $header = $this->CreateHeader();
	  //创建实体
      $body = $this->CreateBody();
	  //实体为空抛出异常
      if (empty($this->Body)) {
        throw new phpmailerException($this->Lang('empty_message'), self::STOP_CRITICAL);
      }

      // digitally sign with DKIM if enabled
      if ($this->DKIM_domain && $this->DKIM_private) {
        $header_dkim = $this->DKIM_Add($header,$this->Subject,$body);
        $header = str_replace("\r\n","\n",$header_dkim) . $header;
      }

      // 选择邮件发方式
      switch($this->Mailer) {
        case 'sendmail':
          return $this->SendmailSend($header, $body);
       //采用smtp格式发送邮件
        case 'smtp':
          return $this->SmtpSend($header, $body);
        default:
          return $this->MailSend($header, $body);
      }

    } catch (phpmailerException $e) {
      $this->SetError($e->getMessage());
      if ($this->exceptions) {
        throw $e;
      }
      echo $e->getMessage()."\n";
      return false;
    }
  }

 创建邮件头

  /**
   * 组装信件的头
   * @access public
   * @return string The assembled header
   */
  public function CreateHeader() {
    $result = '';

    // Set the boundaries
    $uniq_id = md5(uniqid(time()));
    $this->boundary[1] = 'b1_' . $uniq_id;
    $this->boundary[2] = 'b2_' . $uniq_id;
	//创建邮件的发送日期
    $result .= $this->HeaderLine('Date', self::RFCDate());
	//创建邮件的回复地址
    if($this->Sender == '') {
      $result .= $this->HeaderLine('Return-Path', trim($this->From));
    } else {
      $result .= $this->HeaderLine('Return-Path', trim($this->Sender));
    }

    // To be created automatically by mail()
    if($this->Mailer != 'mail') {
      if ($this->SingleTo === true) {
        foreach($this->to as $t) {
          $this->SingleToArray[] = $this->AddrFormat($t);
        }
      } else {
        if(count($this->to) > 0) {
          $result .= $this->AddrAppend('To', $this->to);
        } elseif (count($this->cc) == 0) {
          $result .= $this->HeaderLine('To', 'undisclosed-recipients:;');
        }
      }
    }
	 //追加发件人的信息
    $from = array();
    $from[0][0] = trim($this->From);
    $from[0][1] = $this->FromName;
    $result .= $this->AddrAppend('From', $from);

    // sendmail and mail() extract Cc from the header before sending
	//追加抄送者信息
    if(count($this->cc) > 0) {
      $result .= $this->AddrAppend('Cc', $this->cc);
    }
	
    // sendmail and mail() extract Bcc from the header before sending
	//追加密送者信息
    if((($this->Mailer == 'sendmail') || ($this->Mailer == 'mail')) && (count($this->bcc) > 0)) {
      $result .= $this->AddrAppend('Bcc', $this->bcc);
    }
	//追加回复者的信息
    if(count($this->ReplyTo) > 0) {
      $result .= $this->AddrAppend('Reply-to', $this->ReplyTo);
    }

    // mail() sets the subject itself
	//不是mail形式时,追加主题
    if($this->Mailer != 'mail') {
      $result .= $this->HeaderLine('Subject', $this->EncodeHeader($this->SecureHeader($this->Subject)));
    }
	//追加消息ID 
    if($this->MessageID != '') {
      $result .= $this->HeaderLine('Message-ID',$this->MessageID);
    } else {
      $result .= sprintf("Message-ID: <%s@%s>%s", $uniq_id, $this->ServerHostname(), $this->LE);
    }
	//追加自定义的邮件紧急程度
    $result .= $this->HeaderLine('X-Priority', $this->Priority);
	//追加自定义使用哪个版本的phpmailer发送
	//X-Mailer是代理发信的客户端
    $result .= $this->HeaderLine('X-Mailer', 'PHPMailer '.$this->Version.' (phpmailer.sourceforge.net)');

    if($this->ConfirmReadingTo != '') {
      $result .= $this->HeaderLine('Disposition-Notification-To', '<' . trim($this->ConfirmReadingTo) . '>');
    }

    // Add custom headers
	//追加自定义的头信息
    for($index = 0; $index < count($this->CustomHeader); $index++) {
      $result .= $this->HeaderLine(trim($this->CustomHeader[$index][0]), $this->EncodeHeader(trim($this->CustomHeader[$index][1])));
    }
	//设置MIME版本号
    if (!$this->sign_key_file) {
      $result .= $this->HeaderLine('MIME-Version', '1.0');
	  //设置文件的类型
      $result .= $this->GetMailMIME();
    }

    return $result;
  }

  /**
   * Returns the message MIME.
   * @access public
   * @return string
   */
  public function GetMailMIME() {
    $result = '';
    switch($this->message_type) {
	  //邮件类型为plain
      case 'plain':
		 //设置编码格式
        $result .= $this->HeaderLine('Content-Transfer-Encoding', $this->Encoding);
		//设置MIME文件类型及字符集
        $result .= sprintf("Content-Type: %s; charset=\"%s\"", $this->ContentType, $this->CharSet);
        break;
	  //邮件包含附件
      case 'attachments':
      case 'alt_attachments':
		 //如果有嵌入式图片,设置MIME文件类型为multipart/related
	     //不存在嵌入式图片,设置MIME文件类型为multipart/mixed
        if($this->InlineImageExists()){
          $result .= sprintf("Content-Type: %s;%s\ttype=\"text/html\";%s\tboundary=\"%s\"%s", 'multipart/related', $this->LE, $this->LE, $this->boundary[1], $this->LE);
        } else {
          $result .= $this->HeaderLine('Content-Type', 'multipart/mixed;');
          $result .= $this->TextLine("\tboundary=\"" . $this->boundary[1] . '"');
        }
        break;
      case 'alt':
        $result .= $this->HeaderLine('Content-Type', 'multipart/alternative;');
        $result .= $this->TextLine("\tboundary=\"" . $this->boundary[1] . '"');
        break;
    }

    if($this->Mailer != 'mail') {
	  //追加两个换行
      $result .= $this->LE.$this->LE;
    }

    return $result;
  }

 

php生成的发送邮件头的格式

Date: Sat, 3 Jul 2010 12:38:51 +0000 
Return-Path: *****@126.com 
To: John Doe 
From: First Last 
Reply-to: First Last 
Subject: =?gbk?B?suLK1A==?= 
Message-ID: <8336f09c2d8910f62a6525c1ed92863c@127.0.0.1> 
X-Priority: 3 
X-Mailer: PHPMailer 5.1 (phpmailer.sourceforge.net) 
MIME-Version: 1.0 
Content-Type: multipart/alternative; boundary="b1_8336f09c2d8910f62a6525c1ed92863c" 

 

明天再贴其他部分

 

分享到:
评论

相关推荐

    带实例的phpmailer

    3. `class.phpmailer.php`: 这是 PHPMailer 主类的源代码,包含了许多用于构建和发送邮件的方法。例如,`addRecipient()` 添加收件人,`setSubject()` 设置邮件主题,`setBody()` 设置邮件正文,`addAttachment()` ...

    PHPMailer-master

    这个名为 "PHPMailer-master" 的压缩包很可能是从 GitHub 或其他代码仓库下载的项目源代码主分支的副本,通常包含全部源码、示例、文档和其他相关资源。 PHPMailer 提供了丰富的功能,使得开发者能够方便地发送邮件...

    使用phpmailer发送邮件 PHP源码

    2. `class.phpmailer.php`:这是PHPMailer主类的源代码文件,包含了所有发送邮件的核心功能。 3. `class.smtp.php`、`class.pop3.php`:分别用于处理SMTP和POP3协议的类文件,用于邮件发送和接收。 4. `LICENSE.txt`...

    phpmailer发送邮件

    在这个案例中,您已经有一个名为 "phpmailer2.3" 的压缩包,这通常包含 PHPMailer 的源代码。解压缩后,将其中的 PHP 文件(如 `class.phpmailer.php` 和 `class.smtp.php`)复制到您的项目目录,以便在代码中引用。...

    使用PHPMailer实现邮件发送代码分享

    下载完成后,将解压得到的`class.phpmailer.php`和`class.smtp.php`文件引入到你的PHP项目中。这两个文件分别是PHPMailer的核心类文件和SMTP服务的处理类。 在代码中,我们首先要设置必要的环境,例如设置时区,...

    [聊天留言]2009牛年flash拜年PHP源代码 v1.0_2009n.zip

    5. `phpMailer.class.php`:可能用于发送邮件功能,让用户可以将祝福发送到指定的邮箱。 6. `database.php`:数据库连接文件,用于存储用户留言或其他数据。 7. `images/`:包含图片资源的文件夹,如背景图、图标等...

    PHP发邮件源码 OOP开发

    首先,`send_mail.php.bak`可能是源代码文件`send_mail.php`的一个备份,通常用于在修改原始文件后恢复到之前的状态。`LICENSE`文件包含了项目所遵循的开源许可协议,这可能是一个GPL、MIT或Apache等许可证,决定了...

    phpmailer简单发送邮件的方法(附phpmailer源码下载)

    通常,你会得到两个主要的PHP文件:`class.phpmailer.php` 和 `class.smtp.php`,以及可能包含的其他辅助文件。将这两个文件放入你的PHP项目目录中。 以下是使用PHPMailer发送邮件的基本步骤: 1. 引入PHPMailer类...

    单号签收监视工具_PHP

    5. **SMTP邮件服务**:`phpmailer.class.php`和`smtp.class.php`是PHPMailer库的组件,用于发送电子邮件通知,当包裹状态发生变化时,可以自动向用户发送提醒。 6. **函数库**:`func.php`可能包含了一些通用的函数...

    使用PHPMailer发送邮件实例

    首先,你需要下载PHPMailer的源代码,可以从GitHub上获取(https://github.com/PHPMailer/PHPMailer)。下载完成后,引入所需的PHP文件,包括`class.phpmailer.php`和`class.smtp.php`。 在PHP脚本中,定义一个名为...

    PHP自动发送到邮箱/手机反馈系统 v1.0.rar

    3. **PHPMailer库**:`class.phpmailer.php`是PHPMailer库的源代码,这是一个广泛使用的PHP类库,用于发送邮件。它支持多种邮件发送方式,包括SMTP,可以方便地添加附件,设置发件人、收件人、主题和邮件内容等。 4...

    基于PHP的企业办公管理系统

    1. `class.phpmailer.php`:PHPMailer是一个流行的PHP邮件处理库,用于发送邮件,可能被用在系统的通知和通信功能上。 2. `datetime.php`:可能包含日期和时间处理的自定义类或函数,对于日程管理和任务提醒至关...

    PHP实例开发源码—谷搜Linux邮件群发系统.zip

    3. **Mail.class.php**:邮件类,封装邮件发送功能,可能使用PHPMailer或SwiftMailer等库。 4. **database.php**:数据库操作类,用于执行SQL查询和事务处理。 5. **users.php**:用户管理相关文件,包括注册、登录...

    Samparka-开源

    在Samparka项目中,`class.phpmailer.php`和`class.smtp.php`是PHPMailer的核心文件,分别包含了PHPMailer类和SMTP类的定义。 ### Akismet服务 Akismet是WordPress背后的公司Automattic开发的一个反垃圾邮件服务。...

    PHP Support Tickets-开源

    - `class.phpmailer.php` 和 `class.smtp.php`:这两个文件是PHPMailer库的一部分,用于发送电子邮件功能,支持SMTP协议,确保用户和管理员之间的通信畅通。 - `index.php`:作为系统的入口文件,负责页面的初始...

    php.study

    在这个目录下,我们可能会找到README文件(介绍项目、安装和使用指南)、源代码文件(.php扩展名)、配置文件、测试文件、文档、示例和练习等内容。通过阅读这些文件,学习者可以逐步掌握PHP编程的基础和高级概念,...

    CssToInlineStyles一个利用内联样式转换HTML页面的库特别适合于发送邮件时

    在实际项目中,你可能需要结合其他PHP邮件库,如`PHPMailer`或`SwiftMailer`,将内联样式的HTML内容发送出去。 ## 总结 `CssToInlineStyles`是一个强大的PHP工具,解决了HTML邮件样式兼容性问题。通过将CSS转换为...

    ECMall支持SSL连接邮件服务器的配置方法详解

    接下来,需要修改ECMall的源代码以支持SSL配置。涉及的文件有两个:`mail.lib.php` 和 `mail_quequ.lib.php`。在这些文件中的Mailer类构造函数中,你需要添加一个新的参数 `$SMTPSecure`,这个参数用于指示是否启用...

    例子

    【压缩包子文件的文件名称列表】:“example-master”——通常在开源项目中,这种命名方式表示这是一个Git仓库的主分支克隆,可能包含README文件、源代码文件、配置文件等,用于展示PHP编程的基础和实践应用。...

    帝国CMS实现反馈信息内容发送到邮箱的方法

    为了确保邮件的发送源为用户提供的邮箱地址,以便于管理员回复,还需要在`e/class/SendEmail.inc.php`文件中进行相应的修改。找到设置发件人邮箱的部分,将其改为如下所示: ```php // 修改发件人为反馈者留的邮箱...

Global site tag (gtag.js) - Google Analytics