一、数据库连接配置
-
本地测试
直接在.env中修改,不用去config/database.php中修改
data:image/s3,"s3://crabby-images/8edbb/8edbb92241f183fcdc3172bb27f4343f447ed1e4" alt=""
正式环境,在部署环境下数据库连接在 config 目录下的 database.php 文件中进行配置:
data:image/s3,"s3://crabby-images/8aa17/8aa17b97f6aa5fabe4b97602c58a082d1c40f863" alt=""
二、静态方式访问数据库
在tp6 中可以使用 Db 访问数据库,例如:
php
<?php
namespace app\controller;
use app\BaseController;
use think\facade\Db;
class Index extends BaseController
{
public function index()
{
$stu = Db::table('hkcms_auth_rule')->select();
return json($stu);
}
}
以上代码中 use 了 use think\facade\Db; 随后在 index 方法中 使用 Db 指定数据表对其进行 select 操作,最后结果如下:
data:image/s3,"s3://crabby-images/d042a/d042aa8dfa800e32939ed4fc168d959b7b65cd70" alt=""
三、多个数据库操作
此时我们还有一个数据库数据需要获取,那么如何连接其他数据库呢?假设有一数据库如下:
data:image/s3,"s3://crabby-images/6af3b/6af3b9fa07765ea0e18de959db68cf1d0f9956ea" alt=""
data:image/s3,"s3://crabby-images/1b505/1b505c7c5d3af1f8a23fb9faebf4b1c26ba2f662" alt=""
data:image/s3,"s3://crabby-images/88bfb/88bfbcf8a0cb1699894694d9647f1e025a1e30b4" alt=""
四、使用模型对数据库进行操作
在 tp6 中,框架制定了一个模型类让我们对其使用,通过模型类可以减少重复的代码,并且更加简洁的对数据库进行操作,使用模型对数据库表进行操作时,这个模型即代表了所需要操作的数据库表。
首先在 controller 同级目录下创建一个 model 文件夹,在其中创建对应数据库的模型文件:
data:image/s3,"s3://crabby-images/29ce2/29ce2654035f70bc3b12617a509ae553eb405800" alt=""
三、增删改查
新增的控制器路径为 app\controller\CURD.php
data:image/s3,"s3://crabby-images/3048a/3048a4b46100a5ab65c25f8a755118446aefb25c" alt=""
- 引入Db库
php
use think\facade\Db;
查
php
<?php
namespace app\controller;
use app\BaseController;
use think\facade\Db;
class CURD extends BaseController
{
public function select()
{
// 查所有
$result = Db::name('hkcms_admin')->select()->toArray();
print_r($result);
print_r('<br/>');
print_r('<br/>');
// 查一个 (多个条件用多个where)
$result = Db::name('hkcms_admin')->where('username', 'admin')
->where('id', '>', 0)->select()->toArray();
var_dump($result);
}
}
-
查询使用select(),返回的是对象,所以要用->toArray()转成数组
-
查询条件使用where('字段名','查询表达式','查询条件'),缺省'查询表达式'表示等于
-
多个where可以连接
data:image/s3,"s3://crabby-images/eefdb/eefdb064403cba9fa8d89a773aa6e73c4ec5a9ac" alt=""