1. 手册内容
在实际项目中,对数据频繁使用删除操作会导致性能问题,软删除的作用就是把数据加上删除标记,而不是真正的删除,同时也便于需要的时候进行数据的恢复。
要使用软删除功能,需要引入SoftDelete
trait,例如User
模型按照下面的定义就可以使用软删除功能:
<?php
namespace app\index\model;
use think\Model;
use think\model\concern\SoftDelete;
class User extends Model
{
use SoftDelete;
protected $deleteTime = 'delete_time';
}
deleteTime
属性用于定义你的软删除标记字段,ThinkPHP
的软删除功能使用时间戳类型(数据表默认值为Null
),用于记录数据的删除时间。
V5.1.9+
版本开始,可以支持defaultSoftDelete
属性来定义软删除字段的默认值,在此之前的版本,软删除字段的默认值必须为null
。
<?php
namespace app\index\model;
use think\Model;
use think\model\concern\SoftDelete;
class User extends Model
{
use SoftDelete;
protected $deleteTime = 'delete_time';
protected $defaultSoftDelete = 0;
}
可以用类型转换指定软删除字段的类型,建议数据表的所有时间字段统一一种类型。
定义好模型后,我们就可以使用:
<?php
// 软删除
User::destroy(1);
// 真实删除
User::destroy(1,true);
$user = User::get(1);
// 软删除
$user->delete();
// 真实删除
$user->delete(true);
默认情况下查询的数据不包含软删除数据,如果需要包含软删除的数据,可以使用下面的方式查询:
<?php
User::withTrashed()->find();
User::withTrashed()->select();
如果仅仅需要查询软删除的数据,可以使用:
<?php
User::onlyTrashed()->find();
User::onlyTrashed()->select();
恢复被软删除的数据
<?php
$user = User::onlyTrashed()->find(1);
$user->restore();
软删除仅对模型的删除方法有效,如果直接使用数据库的删除方法则无效,例如下面的方式无效(将不会执行任何操作)。
<?php
$user = new User;
$user->where('id',1)->delete();
2. 测试实例
2.1 产生问题,delete_time 插入的数据是 0000-00-00 00:00:00
模型中添加:
<?php
// 添加
use think\model\concern\SoftDelete;
// 添加
// 软删除使用
use SoftDelete;
protected $deleteTime = 'delete_time';
数据库添加:完全相同的字段 delete_time
service 中使用的方法:使用的是 destroy() 方法
<?php
// 使用软删除
public function softDel($id)
{
return (UserModel::destroy($id)) ? '删除成功' : '删除失败';
}
controller 中的方法:
<?php
// 测试软删除使用
public function fun15(UserService $service, $id)
{
return $service->softDel($id);
}
先后将数据表的对应规则换成 delete_time 属性
对应 delete_time 字段
deleteTime => deleteTime 都是发现数据标记确实打上了标记,但是 打上的时间为0000-00-00 00:00:00
2.2 解决办法
在模型中设置字段转换,delete_time 要求 mysql 默认的日期时间是一个 timestamp unix 时间戳的问题,需要我们去转换成 datetime 类型
模型中添加下面的代码:
<?php
// 设置自动类型转换
protected $type = [
'delete_time' => 'datetime'
];