3

今天我在 CodeIgniter 中尝试了 email 类。我已config/email.php按照文档保存了我的电子邮件 $config 。然后我像往常一样使用电子邮件类。是不是像这样:

config/email.php:

<?php
    $config = Array(
        'protocol' => 'smtp',
        'smtp_host' => 'ssl://smtp.gmail.com',
        'smtp_port' => 465,
        'smtp_user' => '******',
        'smtp_pass' => '******',
        'mailtype'  => 'html',
        'charset'   => 'iso-8859-1'
    );
?> 


一些控制器:

public function sendMessage(){
    $this->load->library('email');
    $this->email->set_newline("\r\n");
    $this->email->from('me@here.comk', 'My Name');
    $this->email->to("someone@somewhere.com");
    $this->email->subject('A test email from CodeIgniter using Gmail');
    $this->email->message("A test email from CodeIgniter using Gmail");
    $this->email->send();
}

使用此设置,一切正常,但现在如果我想更改一些设置,我该怎么做?例如,我想从网站和部分网站的不同帐户发送电子邮件:我需要能够更改smtp_usersmtp_pass字段。我该怎么做?我想避免重写一个全新的配置数组。

4

2 回答 2

2

在数组中创建配置并在控制器中加载电子邮件库时添加数组

     $email_config = Array(
        'protocol' => 'smtp',
        'smtp_host' => 'ssl://smtp.gmail.com',
        'smtp_port' => 465,
        'smtp_user' => '******',
        'smtp_pass' => '******',
        'mailtype'  => 'html',
        'charset'   => 'iso-8859-1'
    );

    $this->load->library('email', $email_config);

    $this->email->set_newline("\r\n");
    $this->email->from('me@here.comk', 'My Name');
    $this->email->to("someone@somewhere.com");
    $this->email->subject('A test email from CodeIgniter using Gmail');
    $this->email->message("A test email from CodeIgniter using Gmail");
    $this->email->send();

如果您想更改配置,只需执行上述操作并将每个参数的值设置为您希望它们通过 POST 设置的任何值,或者将它们传递给控制器​​。

我不确定你是在我发布后第一次编辑你的问题还是我错过了它,但我现在看到“我想避免重写一个全新的配置数组”。我不知道任何其他方式。

于 2013-07-30T13:52:17.790 回答
1

覆盖来自 config/email.php 的设置是可能的。您需要$this->load->library('email');从 config/email.php 中引入设置。然后,您可以为要覆盖的设置创建一个新的配置数组并调用$this->email->initialize($config);以应用这些设置。

配置/电子邮件.php:

<?php
    $config = Array(
        'protocol' => 'smtp',
        'smtp_host' => 'ssl://smtp.gmail.com',
        'smtp_port' => 465,
        'smtp_user' => '******',
        'smtp_pass' => '******',
        'mailtype'  => 'html',
        'charset'   => 'iso-8859-1'
    );
?>

一些控制器:

public function sendMessage(){
    $this->load->library('email');

    $config = Array(
        'smtp_user' => '******',
        'smtp_pass' => '******'
    );

    $this->email->initialize($config);
    $this->email->set_newline("\r\n");
    $this->email->from('me@here.comk', 'My Name');
    $this->email->to("someone@somewhere.com");
    $this->email->subject('A test email from CodeIgniter using Gmail');
    $this->email->message("A test email from CodeIgniter using Gmail");
    $this->email->send();
}
于 2017-02-07T03:00:22.810 回答