我的 order.php 文件有
/**
* Encode the cart items from json to object
* @param $value
* @return mixed
*/
public function getCartItemsAttribute($value){
return json_decode($value);
}
在我的控制器中,我按如下方式获取cartItem
public function orderDetails(Order $order){
$address = implode(',',array_slice((array)$order->address,2,4));
foreach ($order->cartItems as $item){
dd($item);
}
return view('/admin/pages/productOrders/orderDetails',compact('order','address'));
}
在上面的代码 dd($ item)将输出如下
{#422 ▼
+"id": 4
+"user_id": 2
+"product_id": 1
+"quantity": 1
+"deleted_at": null
+"created_at": "2018-02-16 08:12:08"
+"updated_at": "2018-02-16 08:12:08"
}
但我想如下。
Cart {#422 ▼
+"id": 4
+"user_id": 2
+"product_id": 1
+"quantity": 1
+"deleted_at": null
+"created_at": "2018-02-16 08:12:08"
+"updated_at": "2018-02-16 08:12:08"
}
我如何在laravel中实现这一目标。
答案 0 :(得分:1)
将true
作为第二个参数添加到解码函数中,如:
/**
* Decode the cart items from json to an associative array.
*
* @param $value
* @return mixed
*/
public function getCartItemsAttribute($value){
return json_decode($value, true);
}
我会创建一个CartItem
模型:
// CartItem.php
class CartItem extends Model {
public function order() {
return $this->belongsTo(Order::class);
}
}
将每个实例化为:
// Controller.php
$cartItems = [];
foreach ($order->cartItems as $item){
// using json_encode and json_decode will give you an associative array of attributes for the model.
$attributes = json_decode(json_encode($item), true);
$cartItems[] = new CartItem($attributes);
// alternatively, use Eloquent's create method
CartItem::create(array_merge($attributes, [
'order_id' => $order->id
]);
}