Answers:
考虑以下代码:
Products::whereIn('id', function($query){
$query->select('paper_type_id')
->from(with(new ProductCategory)->getTable())
->whereIn('category_id', ['223', '15'])
->where('active', 1);
})->get();
p
。active
= 1检查产品表,而您的查询将其应用于ProductCategory的表...。对吗?还是我想念的东西..?
看看Fluent的高级wheres文档:http : //laravel.com/docs/queries#advanced-wheres
这是您要达到的目标的一个示例:
DB::table('users')
->whereIn('id', function($query)
{
$query->select(DB::raw(1))
->from('orders')
->whereRaw('orders.user_id = users.id');
})
->get();
这将产生:
select * from users where id in (
select 1 from orders where orders.user_id = users.id
)
table()
方法而不是from()
。L3我还没有遇到过这种情况,对不起!
以下代码为我工作:
$result=DB::table('tablename')
->whereIn('columnName',function ($query) {
$query->select('columnName2')->from('tableName2')
->Where('columnCondition','=','valueRequired');
})
->get();
您可以在不同的查询中使用Eloquent,并使事情更容易理解和维护:
$productCategory = ProductCategory::whereIn('category_id', ['223', '15'])
->select('product_id'); //don't need ->get() or ->first()
然后我们将所有内容放在一起:
Products::whereIn('id', $productCategory)
->where('active', 1)
->select('id', 'name', 'img', 'safe_name', 'sku', 'productstatusid')
->get();//runs all queries at once
这将生成与您在问题中编写的查询相同的查询。
该脚本已在Laravel 5.x和6.x中进行了测试。static
在某些情况下,关闭可以提高性能。
Product::select(['id', 'name', 'img', 'safe_name', 'sku', 'productstatusid'])
->whereIn('id', static function ($query) {
$query->select(['product_id'])
->from((new ProductCategory)->getTable())
->whereIn('category_id', [15, 223]);
})
->where('active', 1)
->get();
生成SQL
SELECT `id`, `name`, `img`, `safe_name`, `sku`, `productstatusid` FROM `products`
WHERE `id` IN (SELECT `product_id` FROM `product_category` WHERE
`category_id` IN (?, ?)) AND `active` = ?
请尝试使用此在线工具sql2builder
DB::table('products')
->whereIn('products.id',function($query) {
DB::table('product_category')
->whereIn('category_id',['223','15'])
->select('product_id');
})
->where('products.active',1)
->select('products.id','products.name','products.img','products.safe_name','products.sku','products.productstatusid')
->get();