laravel 中的流畅查询构建器是一个负责创建和运行数据库查询的界面。查询构建器可以与 laravel 支持的所有数据库配合良好,并且可以用来执行几乎所有数据库操作。
使用流畅的查询生成器的优点是它可以防止 sql 注入攻击。它利用 pdo 参数绑定,您可以根据需要自由发送字符串。
流畅的查询构建器支持许多方法,例如count、min、max、avg、sum,可以从表中获取汇总值。
现在让我们看看如何使用流畅的查询构建器来获取选择查询中的计数。要使用流畅的查询构建器,请使用数据库外观类,如下所示
use illuminate\support\facades\db;
现在让我们检查几个示例以获取选择查询中的计数。假设我们使用以下查询创建了一个名为 students 的表
create table students( id integer not null primary key, name varchar(15) not null, email varchar(20) not null, created_at varchar(27), updated_at varchar(27), address varchar(30) not null );
并填充它,如下所示 -
---- --------------- ------------------ ----------------------------- ----------------------------- --------- | id | name | email | created_at | updated_at | address | ---- --------------- ------------------ ----------------------------- ----------------------------- --------- | 1 | siya khan | siya@gmail.com | 2022-05-01t13:45:55.000000z | 2022-05-01t13:45:55.000000z | xyz | | 2 | rehan khan | rehan@gmail.com | 2022-05-01t13:49:50.000000z | 2022-05-01t13:49:50.000000z | xyz | | 3 | rehan khan | rehan@gmail.com | null | null | testing | | 4 | rehan | rehan@gmail.com | null | null | abcd | ---- --------------- ------------------ ----------------------------- ----------------------------- ---------
表中记录数为4。
示例 1
在下面的示例中,我们在 db::table 中使用学生。 count() 方法负责返回表中存在的总记录。
count(); echo "the count of students table is :".$count; } }
输出
上面示例的输出是 -
the count of students table is :4
示例 2
在此示例中,将使用 selectraw() 来获取表中存在的记录总数。
selectraw('count(id) as cnt')->pluck('cnt'); echo "the count of students table is :".$count; } }
列 id 在 selectraw() 方法的 count() 内部使用,并使用 pluck 来获取计数。
输出
上述代码的输出是 -
the count of students table is :[4]
示例 3
此示例将使用 selectraw() 方法。假设您想要计算姓名数量,例如 rehan khan。让我们看看如何将 selectraw() 与 count() 方法一起使用
where('name', 'rehan khan')-> selectraw('count(id) as cnt')->pluck('cnt'); echo "the count of name:rehan khan in students table is :".$count; } }
在上面的示例中,我们想要查找表:学生中名为rehan khan的人数b>.所以编写的查询就是为了得到它。
db::table('students')->where('name', 'rehan khan')->selectraw('count(id) as cnt')->pluck('cnt');
我们使用了 selectraw() 方法来计算来自 where 过滤器的记录。最后使用pluck()方法获取计数值。
输出
上述代码的输出是 -
the count of name:rehan khan in students table is :[2]
示例 4
如果您打算使用 count() 方法来检查表中是否存在任何记录,替代方法是您可以使用exists() 或 doesntexist() 方法如下所示 -
where('name', 'rehan khan')->exists()) { echo "record with name rehan khan exists in the table :students"; } } }
输出
上述代码的输出是 -
record with name rehan khan exists in the table :students
示例 5
使用doesntexist()方法检查给定表中是否有可用的记录。
where('name', 'neha khan')->doesntexist()) { echo "record with name rehan khan does not exists in the table :students"; } else { echo "record with name rehan khan exists in the table :students"; } } }
输出
上述代码的输出是 -
record with name rehan khan does not exists in the table :students
以上就是如何使用laravel的流畅查询构建器选择计数?的详细内容。