在视图中使用Yii2 ...
Products::find()->asArray()->all()
将所有产品作为数组返回。
我正在寻找一种方法让它返回所有产品WHERE id!= 1
我想只有一个地方修改“ - > all()”为每个模型返回的内容。
我知道Product::find()->where('id != 1')->...
是可能的,但我不想在多个地方编写和维护它。
答案 0 :(得分:23)
1)您只需在模型中覆盖find()
方法:
/**
* @return \yii\db\ActiveQuery
*/
public static function find()
{
return parent::find()->where(['<>', 'id', 1]);
}
用法:
$products = Products::find()->all();
2)使用scope。
创建自定义查询类:
namespace app\models;
use yii\db\ActiveQuery;
class ProductQuery extends ActiveQuery
{
public function withoutFirst()
{
$this->andWhere(['<>', 'id', 1]);
return $this;
}
}
覆盖模型中的find()
方法:
namespace app\models;
use yii\db\ActiveRecord;
class Product extends ActiveRecord
{
/**
* @inheritdoc
* @return ProductQuery
*/
public static function find()
{
return new ProductQuery(get_called_class());
}
}
然后你可以像这样使用它:
$products = Products::find()->withoutFirst()->all();
我认为使用第二种方法更灵活,因为它使代码更清晰。
附加说明:
硬编码id
不是好习惯。最好用等效条件替换它。
对于这个例子,我使用了不同的指定条件的方法。请参阅official documentation中where
语句中指定条件的不同方法。