我一直在使用laravel来构建我的API。我使用变换器来转换模型对象的数据。
现在我没有数据库,而是来自API的响应作为数据源,我想将这些数据转换回用户,但我无法这样做。
我的控制器
public function rocByName(Request $request)
{
try {
$this->roc_by_name_validator->with( $request->all() )->passesOrFail();
$company_name = $request->input('company_name');
$result = $this->my_service->getDetailsByName($company_name); //$result has the response object from the API which I want to transform and give it as a response.
return $this->response->collection($result,new OnboardingTransformer()); //Tried using tranformer like this
}
catch (ValidatorException $e) {
dd($e);
}
}
我的变形金刚
<?php
namespace Modules\Onboarding\Transformers;
use League\Fractal\TransformerAbstract;
use App\Entities\OnboardingEntity; //I dont have an entity since the response is coming from an API!! What will give here?
/**
* Class OnboardingTransformerTransformer
* @package namespace App\Transformers;
*/
class OnboardingTransformer extends TransformerAbstract
{
/**
* Transform the \OnboardingTransformer entity
* @param \OnboardingTransformer $model
*
* @return array
*/
public function transform(OnboardingEntity $data_source)
{
return [
'company_name' => $data_source->company_name,
];
}
}
这里OnboardingEntity理想地指来自数据库的数据。这里我不是从数据库中获取数据,而是我的数据来自API源。我该怎么做呢我在这里很少被灌输。有人可以给出解决方案吗?
$ result有以下回复
[
[
{
"companyID": "U72400MHTC293037",
"companyName": "pay pvt LIMITED"
},
{
"companyID": "U74900HR2016PT853",
"companyName": "dddd PRIVATE LIMITED"
}
]
]
答案 0 :(得分:2)
$this->response->collection
旨在获取对象的集合,而不是数组。然后,所有这些对象都将转换为转换OnboardingEntity对象的转换器。首先,您应该将输入数组转换为对象集合。我上面做的例子(你应该把它改成你自己的输入数组)
$data = json_decode('[
[
{
"companyID": "U72400MHTC293037",
"companyName": "pay pvt LIMITED"
},
{
"companyID": "U74900HR2016PT853",
"companyName": "dddd PRIVATE LIMITED"
}
]
]');
$data = collect( array_map( function($ob){
return (new OnboardingEntity($ob));
}, $data[0]));
然后将这个OnboardingEntity对象集合传递给$this->response->collection
方法,就像这里一样
$this->response->collection($data,new TestTransformer());
答案 1 :(得分:2)
您可能希望将公共数据结构发送到Fractal,因为数据源不同。数组是最适合您的类型。
从Eloquent(DB)获取数据时请考虑这一点:
$result = $yourModel->get(); // This will return you with a collection object.
在将此对象传递给fractal之前,将其转换为数组。
$this->response->collection($result->toArray(),new OnboardingTransformer());
如果是first
或单个模型对象。在调用toArray()
之前检查null。
$result = $yourModel->first();
if($result){
$result = $result->toArray();
}
// Fractal itself can handle null
现在是第二种情况,数据来自API或文件等外部来源。
$result = $this->my_service->getDetailsByName($company_name);
// Try converting your response object to array from within
您可以使用json_decode(<Body of response>, true)
执行此操作。然后将此数组传递给Fractal。
为什么选择数组?
因为数据源可以是从数据库到文件,从缓存到API的任何数据源。格式可以是JSON或XML。将所有这些转换为数组都是用PHP构建的。