4

我想使用 CodeIgniter Active Record 类实现一个 sql 查询。查询看起来像这样..

INSERT california_authors (au_id, au_lname, au_fname)
SELECT au_id, au_lname, au_fname
FROM authors
WHERE State = 'CA'

在不使用 $this->db->query 方法的情况下,这在 CodeIgniter 中是否可行?

解决方案

$this->db->select('au_id, au_lname, au_fname');
$this->db->from('california_authors');
$this->db->where('state', 'CA');
$query = $this->db->get();

if($query->num_rows()) {
    $new_author = $query->result_array();

    foreach ($new_author as $row => $author) {
        $this->db->insert("authors", $author);
    }           
}

问候

4

4 回答 4

11

我认为您在谈论 SELECT ... INSERT 查询,在活动记录类上没有方法可以做到这一点,但是有两种方法可以做到

1)

$query = $this->db->query('INSERT california_authors (au_id, au_lname, au_fname)
                           SELECT au_id, au_lname, au_fname
                           FROM authors
                           WHERE State = \'CA\'');

正如你所说

2)你可以做到这一点,使用Calle所说的,

$select = $this->db->select('au_id, au_lname, au_fname')->where('state', 'CA')>get('california_authors');
if($select->num_rows())
{
    $insert = $this->db->insert('california_authors', $select->result_array());
}
else
{ /* there is nothing to insert */
于 2010-07-29T12:56:08.603 回答
0

这是一个旧帖子,但这可能对某人有用。

它与埃德加纳达尔的答案相同,以更安全的方式将参数传递给查询

$state = 'CA';
$sql = "
INSERT california_authors (au_id, au_lname, au_fname)
SELECT au_id, au_lname, au_fname
FROM authors
WHERE State = ?
";
$this->db->query($sql, array($state));

codeigniter-3.2.1

于 2020-11-07T12:53:21.720 回答
0

如果您想很好地控制查询执行,那么您可以通过 3 种方式执行 SELECT ... INSERT:

1)使用codeigniter活动记录insert_batch(ci3)或insertBatch(ci4)(推荐):

$select = $this->db->select('au_id, au_lname, au_fname')->where('state','CA')>get('california_authors');
if($select->num_rows())
{
    $insert = $this->db->insert_batch('california_authors', $select->result_array());
}
else
{ /* there is nothing to insert */}

2)使用codeigniter活动记录简单插入:

$select = $this->db->select('au_id, au_lname, au_fname')->where('state','CA')>get('california_authors');
if($select->num_rows())
{
   foreach($select->result_array() as $row) 
     $this->db->insert('california_authors', $row);
}
else
{ /* there is nothing to insert */}

3)使用codeigniter活动记录查询执行:

$query = $this->db->query('INSERT california_authors (au_id, au_lname, au_fname)
                       SELECT au_id, au_lname, au_fname
                       FROM authors
                       WHERE State = \'CA\'');
于 2020-12-02T11:16:57.433 回答
-2
$query = $this->db->insert('california_authors', array('au_id' => 'value', 'au_lname' => 'value', 'au_name' => 'value'));

$query2 = $this->db->select('au_id, au_lname, au_fname')->where('state', 'CA')->get('california_authors');

要检索结果,您可以这样做:

$resultarr = $query->result_array(); // Return an associative array

手册中有很多这方面的信息。

http://codeigniter.com/user_guide/database/active_record.html

于 2010-07-29T08:48:51.403 回答