假设您有以下几列:
ai - auto incrementing
ref - ABC<ai> (ai but with a prefix)
现在,在模型中,主键为ai
,但是,在整个应用程序中,当通过查询传递参数或作为表单的post变量时,我们传递ref(ABC120
),所以当{会调用{1}},它将始终返回Model::find()
,因为自动递增列没有与null
匹配的值。
我试图通过<prefix><auto-increment>
并通过简单的函数替换来覆盖find
函数:
__call
或
function __call($method, $params)
{
switch ($method) {
case 'find':
$params[0] = preg_replace('/[^0-9]/', '', $params[0]);
break;
}
return parent::__call($method, $params);
}
或
public static function find($p)
{
$p = preg_replace('/[^0-9]/', '', $p);
$r = self::where('ai', $p);
if (!$r->count()) {
return null;
}
return $r->first();
}
这两个问题都在于,如果您从不同的入口点(即public static function find($p)
{
$p = preg_replace('/[^0-9]/', '', $p);
return parent::find($p); // out of memory exception
}
链接模型,则模型会恢复为标准的Model::withTrashed()->find()
函数,导致找不到行(由于前缀)。
在理想的世界中,我只是将find
作为主键,但我做不到。
因此,我该如何覆盖ref
函数或覆盖Eloquent,以致于每次进行内部数据库调用时,它都会去除find
(或传递的任何内容)中的所有非数字字符呢?
ai
答案 0 :(得分:0)
下面的示例对我有用(已通过User::find('ABC1')
测试)。
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Contracts\Support\Arrayable;
class User extends Model
{
/**
* Find a model by its primary key.
*
* @param mixed $id
* @param array $columns
* @return \Illuminate\Database\Eloquent\Model|\Illuminate\Database\Eloquent\Collection|static[]|static|null
*/
public static function find($id, $columns = ['*'])
{
$id = preg_replace('/[^0-9]/', '', $id);
$query = with(new static())->newQuery();
if (is_array($id) || $id instanceof Arrayable) {
return $query->findMany($id, $columns);
}
return $query->whereKey($id)->first($columns);
}
}