4

在 CodeIgniter 中,如果您的 sql 查询失败,则脚本将停止运行并出现错误。有什么方法可以让您尝试查询,如果查询失败,那么您会默默地检测它并尝试不同的查询,而用户不知道查询失败?

4

5 回答 5

5

您可以修改 Exceptions 类以...抛出异常。只需MY_Exceptions.php创建application/core/

class MY_Exceptions extends CI_Exceptions {

    function show_error($heading, $message, $template = 'error_general', $status_code = 500)
    {
        // BEGIN EDIT
        if ($template === 'error_db')
        {
            throw new Exception(implode("\n", (array) $message));
        }
        // END EDIT

        set_status_header($status_code);

        $message = '<p>'.implode('</p><p>', ( ! is_array($message)) ? array($message) : $message).'</p>';

        if (ob_get_level() > $this->ob_level + 1)
        {
            ob_end_flush();
        }
        ob_start();
        include(APPPATH.'errors/'.$template.'.php');
        $buffer = ob_get_contents();
        ob_end_clean();
        return $buffer;
    }
}

然后使用 try/catch 块检查错误并尝试运行另一个查询:

try {
    $this->db->get('table1');
} catch (Exception $e) {
    $this->db->get('table2');
}

这是一种草率的解决方法,但它可以完成工作。

您可能还想查看交易

运行事务

要使用事务运行查询,您将使用 $this->db->trans_start()$this->db->trans_complete()函数,如下所示:

$this->db->trans_start();
$this->db->query('AN SQL QUERY...');
$this->db->query('ANOTHER QUERY...');
$this->db->query('AND YET ANOTHER QUERY...');
$this->db->trans_complete();

您可以在启动/完成函数之间运行任意数量的查询,并且它们都将根据任何给定查询的成功或失败提交或回滚。

于 2012-05-02T04:30:47.587 回答
4

实现这一目标的方法之一是

第一的。

Set  ['db_debug'] = FALSE; in config/database.php

然后,

在你的模型中 -

public function attempt_one($data) {
  //build your query ....
  $query_result = $this->db->insert('table_name');

  if(!$query_result) {
     $this->error = $this->db->_error_message();
     $this->errorno = $this->db->_error_number();
     return false;
  }
  return $something;
}

public function attempt_two() {
  //another query goes in here ...
}

在您的控制器中 -

public function someAction ()
{
  //some code 
  $data = $some_data;
  $result1 = $this->yourmodel->attempt_one($data);
  if($result1 === false)
  {
    //Some code to send an email alert that first query failed with error message 
    //and/or log the error message/ number 
    $result2 = $this->yourmodel->attempt_two($data);
  }

}
于 2012-05-02T10:13:53.203 回答
2

只需使用

$this->db->simple_query() 

而不是

$this->db->query()

简单查询将返回真/假。

于 2014-03-17T06:48:35.990 回答
1

您可以使用以下方法访问数据库错误:

  • $this->db->_error_message();
  • $this->db->_error_number();
于 2012-05-02T04:07:34.097 回答
1

您可以从他们的官方论坛中查看该主题,讨论并建议针对该特定主题的解决方案:http: //codeigniter.com/forums/viewthread/76524/

于 2012-05-02T05:03:13.067 回答