假设我在表中有7列,我想只选择其中的两列,就像这样

SELECT `name`,`surname` FROM `table` WHERE `id` = '1';

在laravel雄辩模型中,它看起来是这样的

Table::where('id', 1)->get();

但我猜这个表达式将选择id = 1的所有列,我只需要两列(姓名,姓氏)。如何只选择两列?


当前回答

如果您需要获取一个列,直接调用模型上的pluck是在Laravel中从所有模型中检索单个列的最有效的方法。

在拔之前调用get或all将在拔值之前将所有模型读入内存。

Users::pluck('email');

其他回答

通过使用all()方法,我们可以从表中选择特定的列,如下所示。

ModelName::all('column1', 'column2', 'column3');

注意:Laravel 5.4

在laravel 5.3中,只有使用get()方法,你才能获得表的特定列:

YouModelName::get(['id', 'name']);

或者在laravel 5.4中,你也可以使用all()方法来获取你选择的字段:

YourModelName::all('id', 'name');

对于上面的get()或all()方法,你也可以使用where(),但两者的语法不同:

模型::所有()

YourModelName::all('id', 'name')->where('id',1);

模型:get ()

YourModelName::where('id',1)->get(['id', 'name']);

首先需要创建一个Model,表示该表,然后使用下面的Eloquent方法仅获取2个字段的数据。

Model::where('id', 1)
         ->pluck('name', 'surname')
         ->all();

为了从表中获得特定列的结果,我们必须指定列名。

使用以下代码:-

   $result = DB::Table('table_name')->select('column1','column2')->where('id',1)->get();  

例如:

$result = DB::Table('Student')->select('subject','class')->where('id',1)->get();  

同样Model::all(['id'])->toArray()它将只获取id作为数组。