>  기사  >  php教程  >  CodeIgniter 연구 노트 Item5--CI의 AR

CodeIgniter 연구 노트 Item5--CI의 AR

黄舟
黄舟원래의
2016-12-29 10:23:351373검색

AR(Active Record)

AR이 활성화된 경우(CI3.0은 기본으로 시작되며 구성 항목이 없음)

$this->db

테이블의 결과 집합 가져오기

[code]// AR会自动加上表前缀,因此get方法中的表名不用加上表前缀
$res = $this->db->get('user');
foreach ($res->result() as $item)
{
    echo $item->name . "
"; }

insert 메서드를 통해 간단히 레코드를 삽입할 수 있습니다. 매개 변수는 테이블 이름과 연관 배열입니다.


[code]$data = array('name'=>'mary', 'password'=>md5('mary'));
$result = $this->db->insert('user', $data);

업데이트 메소드를 통해 레코드를 수정합니다. 첫 번째 매개변수는 표시, 두 번째 매개변수는 수정된 내용, 연관 배열로 표현되며 세 번째 매개변수는 쿼리 조건입니다.


[code]$data = array ('email'=>'mary@gmail.com', 'password'=>md5('123456'));
$this->db->update('user', $data, array('name'=>'mary'));

delete 메소드를 통해 레코드를 삭제합니다. 첫 번째 매개변수는 테이블 이름, 두 번째 매개변수는 쿼리 조건


[code]$this->db->delete('user', array('name'=>'mary'));



연속 연산, 보다 복잡한 SQL 문에 대해서는 AR에서 제공하는 일관성 연산을 사용하여


[code]$result = $this->db->select('id, name')
            ->from('user')
            ->where('id >=', 1)
            ->limit(3,1)
            ->order_by('id desc ')
            ->get();

참고: 제한의 매개변수 순서는 SQL과 동일합니다. 순서가 반대입니다. 첫 번째 매개변수는 표시되는 항목 수를 나타내고 두 번째 매개변수는 건너뛴 항목 수를 나타냅니다. 다양한 쿼리 조건에서 where 문 작성




last_query() 메소드를 사용하면 일관된 연산을 통해 AR에서 조합한 SQL 문을 얻을 수 있습니다

[code]where('name', 'mary')或where('name =', 'mary'):表示查询条件是name字段值是mary
where(array('name'=>'mary', 'id >'=>'1'));:表示查询条件有两个,name字段值是mary并且id字段值是1



AR은 상대적으로 간단한 쿼리만 실행할 수 있으며, 복잡한 쿼리인 경우 $this->db->query($sql, $data)

를 사용하여 쿼리하는 것이 좋습니다.
[code]$this->db->last_query();

데이터 선택

다음 함수는 SQL SELECT 문을 작성하는 데 도움이 됩니다.

참고: PHP5를 사용하는 경우 복잡한 상황에서 체인 구문을 사용할 수 있습니다. 자세한 설명은 이 페이지 하단에 제공됩니다.




select 쿼리 문을 실행하고 결과 집합을 반환합니다. 테이블의 모든 데이터를 얻을 수 있습니다.

[code]$this->db->get();



두 번째 및 세 번째 매개변수를 사용하면 결과 집합의 페이지당 레코드 수(제한)와 결과 집합의 오프셋을 설정할 수 있습니다.

[code]$query = $this->db->get('mytable');
// Produces: SELECT * FROM mytable



참고: 두 번째 매개변수는 페이지당 레코드 수이고 세 번째 매개변수는 오프셋입니다.
[code]$query = $this->db->get('mytable', 10, 20);
// Produces: SELECT * FROM mytable LIMIT 20, 10 (in MySQL. Other databases have slightly different syntax)

위 함수는 $ 변수로 구성됩니다. query
실행, 이 $query
를 사용하여 결과 세트를 표시할 수 있습니다.



은 db->where()를 사용하지 않고 함수의 두 번째 매개변수에 where 절을 추가할 수 있다는 점을 제외하면 위 함수와 동일합니다. function :
[code]$query = $this->db->get('mytable');
foreach ($query->result() as $row)
{
    echo $row->title;
}
[code]$this->db->get_where();




참고: 이전 버전에서는 get_where()가 getwhere()로 작성되었습니다. 이는 더 이상 사용되지 않는 사용법이며 getwhere()는 코드에서 제거되었습니다.

[code]$query = $this->db->get_where('mytable', array('id' => $id), $limit, $offset);



을 사용하면 SQL 쿼리에 SELECT 부분을 작성할 수 있습니다.

[code]$this->db->select();



참고: 모두 쿼리하려는 경우 테이블의 항목은 괜찮습니다. 이 함수를 작성할 필요가 없습니다. 생략하면 CodeIgniter는 모든 행(SELECT *)을 쿼리하려고 한다고 생각합니다.

[code]$this->db->select('title, content, date');
$query = $this->db->get('mytable');
// Produces: SELECT title, content, date FROM mytable



연관배열 방식:
$this->db->select()
[code]$this->db->select('(SELECT SUM(payments.amount) FROM payments WHERE payments.invoice_id=4') AS amount_paid', FALSE); 
$query = $this->db->get('mytable');



이 기능은 위의 기능과 거의 동일하지만 차이점만 있습니다 여러 인스턴스가 OR을 사용하여 연결됩니다:

[code]$array = array('title' => $match, 'page1' => $match, 'page2' => $match);
$this->db->like($array); 
// WHERE title LIKE '%match%' AND page1 LIKE '%match%' AND page2 LIKE '%match%'
$this->db->or_like();



참고: or_like()는 이전에 orlike()라고 불렸는데, 후자는 더 이상 사용되지 않으며 현재는 orlike()입니다. 코드에서 제거되었습니다.
[code]$this->db->like('title', 'match');
$this->db->or_like('body', $match); 
// WHERE title LIKE '%match%' OR body LIKE '%match%'




이 함수는 like()와 거의 동일하지만 유일한 차이점은 NOT LIKE 문을 생성한다는 것입니다:

[code]$this->db->not_like();



이 함수는 not_like()와 거의 동일합니다. 유일한 차이점은 여러 인스턴스가 OR로 연결된다는 점입니다.

[code]$this->db->not_like('title', 'match');
// WHERE title NOT LIKE '%match%
$this->db->or_not_like();



을 사용하면 쿼리 문 GROUP BY를 작성할 수 있습니다. 부분:
[code]$this->db->like('title', 'match');
$this->db->or_not_like('body', 'match'); 
// WHERE title LIKE '%match%' OR body NOT LIKE '%match%'
$this->db->group_by();




여러 값을 배열로 전달할 수도 있습니다:

[code]$this->db->group_by("title"); 
// 生成: GROUP BY title



설명: group_by () 사용됨 더 이상 사용되지 않으며 groupby()가 코드에서 제거되었습니다.

[code]$this->db->group_by(array("title", "date")); 
// 生成: GROUP BY title, date



쿼리 문에 "DISTINCT" 키워드 추가:

[code]$this->db->distinct();



을 사용하면 "DISTINCT" 키워드를 추가할 수 있습니다. 쿼리 문에 HAVING 섹션을 작성합니다. 두 가지 구문 형식이 있으며 하나 또는 두 개의 매개 변수가 허용됩니다.
[code]$this->db->distinct();
$this->db->get('table');
// 生成: SELECT DISTINCT * FROM table
$this->db->having();




콘텐츠 이스케이프를 피하기 위해 CodeIgniter에 의해 이스케이프 보호되는 데이터베이스를 사용하는 경우 정의에서는 선택적 세 번째 인수를 전달하고 이를 FALSE로 설정할 수 있습니다.
[code]$this->db->having('user_id = 45'); 
// 生成: HAVING user_id = 45
$this->db->having('user_id', 45); 
// 生成: HAVING user_id = 45
你也可以把多个值通过数组传递过去:
[code]$this->db->having(array('title =' => 'My Title', 'id <' => $id)); 
// 生成: HAVING title = 'My Title', id < 45




은 have() 함수와 거의 동일하지만 유일한 차이점은 여러 절이 "OR"로 구분된다는 점입니다.

[code]$this->db->having('user_id', 45); 
// 生成: HAVING `user_id` = 45 (在诸如MySQL等数据库中) 
$this->db->having('user_id', 45, FALSE); 
// 生成: HAVING user_id = 45
$this->db->or_having();



은 ORDER BY 절을 설정하는 데 도움이 됩니다. 첫 번째 매개변수는 정렬하려는 필드의 이름입니다. 두 번째 매개변수는 결과의 순서를 설정합니다. 사용 가능한 옵션에는 asc(오름차순), desc(내림차순) 또는 무작위(무작위)가 포함됩니다.

[code]$this->db->order_by();



첫 번째 매개변수에 자신만의 문자열을 전달할 수도 있습니다.

[code]$this->db->order_by("title", "desc"); 
// 生成: ORDER BY title DESC



또는 이 함수를 여러 번 호출하면 여러 필드를 정렬합니다.

[code]$this->db->order_by('title desc, name asc'); 
// 生成: ORDER BY title DESC, name ASC



참고: order_by()는 이전에 orderby()라고 불렸는데, 이는 더 이상 사용되지 않으며 orderby()가 코드에서 제거되었습니다.
[code]$this->db->order_by("title", "desc");
$this->db->order_by("name", "asc"); 
// 生成: ORDER BY title DESC, name ASC

참고: 현재 Oracle 및 MSSQL 드라이버는 무작위 정렬을 지원하지 않으며 기본적으로 'ASC'(오름차순)로 설정됩니다.




쿼리에서 반환되는 결과 수를 제한합니다.

[code]$this->db->limit();



두 번째 매개변수는 결과 오프셋을 설정합니다.

[code]$this->db->limit(10);
// 生成: LIMIT 10

[code]$this->db->limit(10, 20);
// 生成: LIMIT 20, 10 (仅限MySQL中。其它数据库有稍微不同的语法)
$this->db->count_all_results();

允许你获得某个特定的Active Record查询所返回的结果数量。可以使用Active Record限制函数,例如 where(),or_where()
, like(), or_like() 等等。范例:

[code]echo $this->db->count_all_results('my_table');
// 生成一个整数,例如 25
$this->db->like('title', 'match');
$this->db->from('my_table');
echo $this->db->count_all_results();
// 生成一个整数,例如 17

插入数据

[code]$this->db->insert();


生成一条基于你所提供的数据的SQL插入字符串并执行查询。你可以向函数传递 数组 或一个 对象。下面是一个使用数组的例子:

[code]$data = array(
               'title' => 'My title' ,
               'name' => 'My Name' ,
               'date' => 'My date'
            );
$this->db->insert('mytable', $data); 
// Produces: INSERT INTO mytable (title, name, date) VALUES ('My title', 'My name', 'My date')

第一个参数包含表名,第二个是一个包含数据的关联数组。

下面是一个使用对象的例子:

[code]/*
    class Myclass {
        var $title = 'My Title';
        var $content = 'My Content';
        var $date = 'My Date';
    }
*/
$object = new Myclass;
$this->db->insert('mytable', $object); 
// Produces: INSERT INTO mytable (title, content, date) VALUES ('My Title', 'My Content', 'My Date')


第一个参数包含表名,第二个是一个对象。(原文有错:The first parameter will contain the table name, the second is an associative array of values.)

注意: 所有的值已经被自动转换为安全查询。

[code]$this->db->set();

本函数使您能够设置inserts(插入)或updates(更新)值。

它可以用来代替那种直接传递数组给插入和更新函数的方式: 

[code]$this->db->set('name', $name); 
$this->db->insert('mytable'); 
// 生成: INSERT INTO mytable (name) VALUES ('{$name}')

如果你多次调用本函数,它们会被合理地组织起来,这取决于你执行的是插入操作还是更新操作:

[code]$this->db->set('name', $name);
$this->db->set('title', $title);
$this->db->set('status', $status);
$this->db->insert('mytable');


set() 也接受可选的第三个参数($escape),如果此参数被设置为 FALSE,就可以阻止数据被转义。为了说明这种差异,这里将对 包含转义参数 和 不包含转义参数 这两种情况的 set() 函数做一个说明。

[code]$this->db->set('field', 'field+1', FALSE);
$this->db->insert('mytable'); 
// 得到 INSERT INTO mytable (field) VALUES (field+1)
$this->db->set('field', 'field+1');
$this->db->insert('mytable'); 
// 得到 INSERT INTO mytable (field) VALUES ('field+1')

你也可以将一个关联数组传递给本函数:

[code]$array = array('name' => $name, 'title' => $title, 'status' => $status);
$this->db->set($array);
$this->db->insert('mytable');

或者一个对象也可以:

[code]/*
    class Myclass {
        var $title = 'My Title';
        var $content = 'My Content';
        var $date = 'My Date';
    }
*/
$object = new Myclass;
$this->db->set($object);
$this->db->insert('mytable');

更新数据

[code]$this->db->update();

根据你提供的数据生成并执行一条update(更新)语句。你可以将一个数组或者对象传递给本函数。这里是一个使用数组的例子:

[code]$data = array(
               'title' => $title,
               'name' => $name,
               'date' => $date
            );
$this->db->where('id', $id);
$this->db->update('mytable', $data); 
// 生成:
// UPDATE mytable 
// SET title = '{$title}', name = '{$name}', date = '{$date}'
// WHERE id = $id

或者你也可以传递一个对象:

[code]/*
    class Myclass {
        var $title = 'My Title';
        var $content = 'My Content';
        var $date = 'My Date';
    }
*/
$object = new Myclass;
$this->db->where('id', $id);
$this->db->update('mytable', $object); 
// 生成:
// UPDATE mytable 
// SET title = '{$title}', name = '{$name}', date = '{$date}'
// WHERE id = $id

说明: 所有值都会被自动转义,以便生成安全的查询。

你会注意到

$this->db->where()
[code]$this->db->update('mytable', $data, "id = 4");

或者是一个数组:

[code]$this->db->update('mytable', $data, array('id' => $id));


在进行更新时,你还可以使用上面所描述的 $this->db->set() 函数。

删除数据

[code]$this->db->delete();

生成并执行一条DELETE(删除)语句。

[code]$this->db->delete('mytable', array('id' => $id)); 
// 生成:
// DELETE FROM mytable 
// WHERE id = $id

第一个参数是表名,第二个参数是where子句。你可以不传递第二个参数,使用 where() 或者 or_where() 函数来替代它:

[code]$this->db->where('id', $id);
$this->db->delete('mytable'); 
// 生成:
// DELETE FROM mytable 
// WHERE id = $id


如果你想要从一个以上的表中删除数据,你可以将一个包含了多个表名的数组传递给delete()函数。

[code]$tables = array('table1', 'table2', 'table3');
$this->db->where('id', '5');
$this->db->delete($tables);

如果你想要删除表中的全部数据,你可以使用 truncate() 函数,或者 empty_table() 函数。

[code]$this->db->empty_table();

生成并执行一条DELETE(删除)语句。

[code] $this->db->empty_table('mytable'); 
// 生成
// DELETE FROM mytable
$this->db->truncate();


生成并执行一条TRUNCATE(截断)语句。

[code]$this->db->from('mytable'); 
$this->db->truncate(); 
// 或 
$this->db->truncate('mytable'); 
// 生成:
// TRUNCATE mytable

说明: 如果 TRUNCATE 命令不可用,truncate() 将会以 “DELETE FROM table” 的方式执行。

链式方法 

链式方法允许你以连接多个函数的方式简化你的语法。考虑一下这个范例:

[code]$this->db->select('title')->from('mytable')->where('id', $id)->limit(10, 20);
$query = $this->db->get();

 以上就是CodeIgniter学习笔记 Item5--CI中的AR的内容,更多相关内容请关注PHP中文网(www.php.cn)!


성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.