2

我正在创建一个 API,我想在分页查询的结果中添加额外的列。例如,我的数据库中有价格和折扣。我想发送discounted_price带有结果集的列。

这是我到目前为止所尝试的:

控制器:

$products = Products::latest()->paginate(10);
if (! empty($products)) {
    $final_prod = [];
    foreach ($products as $product) {
        $final_prod[] = $product->asFilterJson();
    }
    $data['products'] = $final_prod;
    $data['status'] = 200;
} else {
    $data['error'] = "No product available";
}

在我的产品模型中,我有

public function asFilterJson() {
    $json = [];
    $json['id'] = $this->id;
    $json['title'] = $this->title;
    $json['category_id'] = $this->category_id;
    $json['price'] = $this->price;
    $json['description'] = $this->description;
    $json['quantity'] = $this->quantity;
    $json['discount'] = $this->discount;
    $json['type_id'] = $this->type_id;
    $json['created_by_id'] = $this->created_by_id;
    $json['created_at'] = $this->created_at;
    $json['updated_at'] = $this->updated_at;
    if($this->type_id == self::ITEM_SPECIAL) {
        $json['discounted_price'] = ($this->discount * $this->price) / 100;    }
    return $json;
}

它工作正常,但它消除了分页。

4

3 回答 3

4

您可以使用map方法在集合对象中添加键和值

$products = Products::latest()->paginate(10);

$itemSpecial = self::ITEM_SPECIAL; //pass variable in closure by using use 

$products->map(function($item) use ($itemSpecial) {
     if($item->type_id == $itemSpecial) {
        $item->discounted_price = ($item->discount * $item->price) / 100; 
     }
     return $item;
});

你也可以使用条件

于 2018-12-31T11:31:42.723 回答
0

在控制器中

public function index() {
     $products = Products::latest()->paginate(10);
     if (! empty($products)) {
        $final_prod = [];
        foreach ($products as $product) {
             $final_prod[] = $this->asFilterJson($product);
        }
        return response()->json(['status'=>'200','message'=>'Product list ','data'=>$final_prod]);
     } else {
        return response()->json(['status'=>'200','message'=>'No product available','data'=>[]]);
     }
}
// function for extra column add
static function asFilterJson($product){
    $value['discounted_price'] = ($value['discount'] * $value['price']) / 100;
    return $value;
}
于 2018-12-31T11:31:19.863 回答
-2

您可以在模型中定义新的 mutator。

public function getDiscountedPriceAttribute()
{
     return ($this->discount * $this->price) / 100;
}

之后,您可以将其用作 $this->discountedPrice

于 2018-12-31T11:19:32.913 回答