1. //关闭csrf
  2. public $enableCsrfValidation = false;
  1. 1.sql语句
  2. //查询
  3. $db=\Yii::$app->db ->createCommand("select * from 表名") ->queryAll();
  4. //修改
  5. $db=\Yii::$app->db ->createCommand()->update('表名',['字段名'=>要修改的值],'条件') ->execute();
  6. // 删除
  7. $db=\Yii::$app->db ->createCommand() ->delete('表名','条件') ->execute();
  8. //添加
  9. $db=\Yii::$app->db ->createCommand() ->insert('表名',['字段名'=>要添加的值],'条件') ->execute();

//应用实例

    Customer::find()->one();    此方法返回一条数据;

    Customer::find()->all();    此方法返回所有数据;

    Customer::find()->count();    此方法返回记录的数量;

    Customer::find()->average();    此方法返回指定列的平均值;

    Customer::find()->min();    此方法返回指定列的最小值 ;

    Customer::find()->max();    此方法返回指定列的最大值 ;

    Customer::find()->scalar();    此方法返回值的第一行第一列的查询结果;

    Customer::find()->column();    此方法返回查询结果中的第一列的值;

    Customer::find()->exists();    此方法返回一个值指示是否包含查询结果的数据行;
    Customer::find()->asArray()->one();    以数组形式返回一条数据;

    Customer::find()->asArray()->all();    以数组形式返回所有数据;
    Customer::find()->where($condition)->asArray()->one();    根据条件以数组形式返回一条数据;

    Customer::find()->where($condition)->asArray()->all();    根据条件以数组形式返回所有数据;
    Customer::find()->where($condition)->asArray()->orderBy('id DESC')->all();    根据条件以数组形式返回所有数据,并根据ID倒序;

3.关联查询
ActiveRecord::hasOne():返回对应关系的单条记录
  1. ActiveRecord::hasMany():返回对应关系的多条记录
应用实例
  1. //客户表Model:CustomerModel
  2. //订单表Model:OrdersModel
  3. //国家表Model:CountrysModel
  4. //首先要建立表与表之间的关系
  5. //在CustomerModel中添加与订单的关系
  6. Class CustomerModel extends yiidbActiveRecord
  7. {
  8. ...
  9. public function getOrders()
  10. {
  11. //客户和订单是一对多的关系所以用hasMany
  12. //此处OrdersModel在CustomerModel顶部别忘了加对应的命名空间
  13. //id对应的是OrdersModel的id字段,order_id对应CustomerModel的order_id字段
  14. return $this->hasMany(OrdersModel::className(), ['id'=>'order_id']);
  15. }
  16. public function getCountry()
  17. {
  18. //客户和国家是一对一的关系所以用hasOne
  19. return $this->hasOne(CountrysModel::className(), ['id'=>'Country_id']);
  20. }
  21. ....
  22. }
  23. // 查询客户与他们的订单和国家
  24. CustomerModel::find()->with('orders', 'country')->all();
  25. // 查询客户与他们的订单和订单的发货地址
  26. CustomerModel::find()->with('orders.address')->all();
  27. // 查询客户与他们的国家和状态为1的订单
  28. CustomerModel::find()->with([
  29. 'orders' => function ($query) {
  30. $query->andWhere('status = 1');
  31. },
  32. 'country',
  33. ])->all();

注:with中的orders对应getOrders

常见问题:

1.在查询时加了->select();如下,要加上order_id,即关联的字段(比如:order_id)比如要在select中,否则会报错:undefined index order_id

  1. //查询客户与他们的订单和国家
  2. CustomerModel::find()->select('order_id')->with('orders', 'country')->all();

findOne()和findAll():

  1. //查询key值为10的客户
  2. $customer = Customer::findOne(10);
  3. $customer = Customer::find()->where(['id' => 10])->one();
  1. //查询年龄为30,状态值为1的客户
  2. $customer = Customer::findOne(['age' => 30, 'status' => 1]);
  3. $customer = Customer::find()->where(['age' => 30, 'status' => 1])->one();
  1. //查询key值为10的所有客户
  2. $customers = Customer::findAll(10);
  3. $customers = Customer::find()->where(['id' => 10])->all();
  1. //查询key值为10,11,12的客户
  2. $customers = Customer::findAll([10, 11, 12]);
  3. $customers = Customer::find()->where(['id' => [10, 11, 12]])->all();
  1. //查询年龄为30,状态值为1的所有客户
  2. $customers = Customer::findAll(['age' => 30, 'status' => 1]);
  3. $customers = Customer::find()->where(['age' => 30, 'status' => 1])->all();

where()条件:

$customers = Customer::find()->where($cond)->all();

$cond写法举例:

  1. //SQL: (type = 1) AND (status = 2).
  2. $cond = ['type' => 1, 'status' => 2]
  3. //SQL:(id IN (1, 2, 3)) AND (status = 2)
  4. $cond = ['id' => [1, 2, 3], 'status' => 2]
  5. //SQL:status IS NULL
  6. $cond = ['status' => null]

[[and]]:将不同的条件组合在一起,用法举例:

  1. //SQL:`id=1 AND id=2`
  2. $cond = ['and', 'id=1', 'id=2']
  3. //SQL:`type=1 AND (id=1 OR id=2)`
  4. $cond = ['and', 'type=1', ['or', 'id=1', 'id=2']]

[[or]]:

  1. //SQL:`(type IN (7, 8, 9) OR (id IN (1, 2, 3)))`
  2. $cond = ['or', ['type' => [7, 8, 9]], ['id' => [1, 2, 3]]

[[not]]:

  1. //SQL:`NOT (attribute IS NULL)`
  2. $cond = ['not', ['attribute' => null]]

[[between]]: not between 用法相同

  1. //SQL:`id BETWEEN 1 AND 10`
  2. $cond = ['between', 'id', 1, 10]

[[in]]: not in 用法类似

  1. //SQL:`id IN (1, 2, 3)`
  2. $cond = ['in', 'id', [1, 2, 3]]
  3. //IN条件也适用于多字段
  4. $cond = ['in', ['id', 'name'], [['id' => 1, 'name' => 'foo'], ['id' => 2, 'name' => 'bar']]]
  5. //也适用于内嵌sql语句
  6. $cond = ['in', 'user_id', (new Query())->select('id')->from('users')->where(['active' => 1])]

[[like]]:

  1. //SQL:`name LIKE '%tester%'`
  2. $cond = ['like', 'name', 'tester']
  3. //SQL:`name LIKE '%test%' AND name LIKE '%sample%'`
  4. $cond = ['like', 'name', ['test', 'sample']]
  5. //SQL:`name LIKE '%tester'`
  6. $cond = ['like', 'name', '%tester', false]

[[exists]]: not exists用法类似

  1. //SQL:EXISTS (SELECT "id" FROM "users" WHERE "active"=1)
  2. $cond = ['exists', (new Query())->select('id')->from('users')->where(['active' => 1])]

此外,您可以指定任意运算符如下

  1. //SQL:`id >= 10`
  2. $cond = ['>=', 'id', 10]
  3. //SQL:`id != 10`
  4. $cond = ['!=', 'id', 10]

常用查询:

  1. //WHERE admin_id >= 10 LIMIT 0,10
  2. p;     User::find()->select('*')->where(['>=', 'admin_id', 10])->offset(0)->limit(10)->all()
  1. //SELECT `id`, (SELECT COUNT(*) FROM `user`) AS `count` FROM `post`
  2. $subQuery = (new Query())->select('COUNT(*)')->from('user');
  3. $query = (new Query())->select(['id', 'count' => $subQuery])->from('post');
  1. //SELECT DISTINCT `user_id` ...
  2. User::find()->select('user_id')->distinct();

更新:

  1. //update();
  2. //runValidation boolen 是否通过validate()校验字段 默认为true
  3. //attributeNames array 需要更新的字段
  4. $model->update($runValidation , $attributeNames);
  5. //updateAll();
  6. //update customer set status = 1 where status = 2
  7. Customer::updateAll(['status' => 1], 'status = 2');
  8. //update customer set status = 1 where status = 2 and uid = 1;
  9. Customer::updateAll(['status' => 1], ['status'=> '2','uid'=>'1']);

删除:

  1. $model = Customer::findOne($id);
  2. $model->delete();
  3. $model->deleteAll(['id'=>1]);

批量插入:

  1. Yii::$app->db->createCommand()->batchInsert(UserModel::tableName(), ['user_id','username'], [
  2. ['1','test1'],
  3. ['2','test2'],
  4. ['3','test3'],
  5. ])->execute();

查看执行sql

  1. //UserModel
  2. $query = UserModel::find()->where(['status'=>1]);
  3. echo $query->createCommand()->getRawSql();

yii2.0增删改查的更多相关文章

  1. yii2.0增删改查实例讲解

    yii2.0增删改查实例讲解一.创建数据库文件. 创建表 CREATE TABLE `resource` ( `id` int(10) NOT NULL AUTO_INCREMENT, `textur ...

  2. EF4.0和EF5.0增删改查的写法区别及执行Sql的方法

    EF4.0和EF5.0增删改查的写法区别 public T AddEntity(T entity) { //EF4.0的写法 添加实体 //db.CreateObjectSet<T>(). ...

  3. MVC ---- EF4.0和EF5.0增删改查的写法区别及执行Sql的方法

    EF4.0和EF5.0增删改查的写法区别 public T AddEntity(T entity) { //EF4.0的写法 添加实体 //db.CreateObjectSet<T>(). ...

  4. YII2生成增删改查

    下载完成后在basic/db.php配置数据库参数. 1.配置虚拟主机后进入YII入口文件 index.php 进行get传值 ?r=gii ,进入创建界面 2.点击 Model Generator下 ...

  5. VUE2.0增删改查附编辑添加model(弹框)组件共用

    Vue实战篇(增删改查附编辑添加model(弹框)组件共用) 前言 最近一直在学习Vue,发现一份crud不错的源码 预览链接 https://taylorchen709.github.io/vue- ...

  6. HBase1.2.0增删改查Scala代码实现

    增删改查工具类 class HbaseUtils { /** * 获取管理员对象 * * @param conf 对hbase client配置一些参数 * @return 返回hbase的HBase ...

  7. YII2的增删改查

    insert into table (field1,field2)values('1','2');delete from table where   condition update  table s ...

  8. yii2框架增删改查案例

    //解除绑定蓝牙 //http://www.520m.com.cn/api/pet/remove-binding?healthy_id=72&pet_id=100477&access- ...

  9. EF5.0增删改查的写法及执行Sql的方法

    public T AddEntity(T entity) { //EF4.0的写法 添加实体 //db.CreateObjectSet<T>().AddObject(entity); // ...

随机推荐

  1. vue 父向子组件传递数据,子组件向父组件传递数据方式

    父组件向子组件传递数据通过props,子组件引入到父组件中,设置一个值等于父组件的数据,通过:bind将数据传到子组件中,子组件中通过props接收父组件的数据,这样就可以使用父组件的数据了,循环组件 ...

  2. 解题3(CoordinateCalculate)

    题目描述 开发一个坐标计算工具, A表示向左移动,D表示向右移动,W表示向上移动,S表示向下移动.从(0,0)点开始移动,从输入字符串里面读取一些坐标,并将最终输入结果输出到输出文件里面. 输入: 合 ...

  3. google翻译插件安装

    来源:http://www.cnplugins.com/tools/how-to-setup-crx.html 1. 下载: 2.拖拽: 3.下一步安装 4.完成.

  4. MyBufferedReader

    /** 需求:自定义一个包含 readLine 方法的 BufferedReader 来模拟一下 BufferedReader */ import java.io.FileReader; import ...

  5. python之栈和队列

    1. 栈 1.1 示例 #!/usr/bin/env python # -*- codinfg:utf-8 -*- ''' @author: Jeff LEE @file: .py @time: 20 ...

  6. Asp.net中GridView使用详解(很全,很经典 转来的)

    Asp.net中GridView使用详解 效果图参考:http://hi.baidu.com/hello%5Fworld%5Fws/album/asp%2Enet中以gv开头的图片 l         ...

  7. 再谈AR中的图像识别算法

    之前在<浅谈移动平台创新玩法>简单的猜测了easyar中使用的图像识别算法,基于图片指纹的哈希算法的图片检索 .后再阿里引商大神的指点下,意识到图片检测只适用于静态图片的识别,只能做AR脱 ...

  8. ubuntu系列-很好用的截图工具shutter

    直接在ubuntu软件市场中搜索“shutter”下载即可

  9. 【校招面试 之 C/C++】第14题 C++ 内存分配方式详解——堆、栈、自由存储区、全局/静态存储区和常量存储区(堆栈的区别)

    栈,就是那些由编译器在需要的时候分配,在不需要的时候自动清除的变量的存储区.里面的变量通常是局部变量.函数参数等.在一个进程中,位于用户虚拟地址空间顶部的是用户栈,编译器用它来实现函数的调用.和堆一样 ...

  10. [leetcode]428. Serialize and Deserialize N-ary Tree序列化与反序列化N叉树

    Serialization is the process of converting a data structure or object into a sequence of bits so tha ...