10

我正在编写一个简单的 API,并在此 API 之上构建一个简单的 Web 应用程序。

因为我想直接“使用我自己的 API”,所以我首先在 Google 上搜索并在 StackOverflow 上找到了这个答案,它完美地回答了我最初的问题:Consuming my own Laravel API

现在,这很好用,我可以通过执行以下操作来访问我的 API:

$request = Request::create('/api/cars/'.$id, 'GET');
$instance = json_decode(Route::dispatch($request)->getContent());

这很棒!但是,我的 API 还允许您向 GET 查询字符串添加可选字段参数,以指定应返回的特定属性,例如:

http://cars.com/api/cars/1?fields=id,color

现在我在 API 中实际处理这个问题的方式是这样的:

public function show(Car $car)
{
     if(Input::has('fields'))
     {
          //Here I do some logic and basically return only fields requested
          ....
     ...
 }

我会假设我可以做一些类似于我之前使用查询字符串无参数方法所做的事情,如下所示:

$request = Request::create('/api/cars/' . $id . '?fields=id,color', 'GET');
$instance = json_decode(Route::dispatch($request)->getContent());

但是,似乎并非如此。长话短说,在单步执行代码之后,似乎Request正确创建了对象(并且它正确地提取了fields参数并为其分配了id、color),并且 Route 似乎被调度好,但在我的 API 控制器本身内我不知道如何访问字段参数。使用Input::get('fields')(这是我用于“正常”请求的)没有返回任何内容,我相当确定这是因为静态Input引用或限定了传入的初始请求,而不是我从内部“手动”发送的新请求应用程序本身。

所以,我的问题是我应该怎么做?难道我做错了什么?理想情况下,我想避免在我的 API 控制器中做任何丑陋或特殊的事情,我希望能够将 Input::get 用于内部调度的请求,而不必进行第二次检查等。

4

3 回答 3

19

您是正确的,因为 usingInput实际上是引用当前请求,而不是您新创建的请求。您的输入将在您实例化的请求实例本身上可用Request::create()

如果您正在使用(应该如此)Illuminate\Http\Request实例化您的请求,那么您可以使用$request->input('key')$request->query('key')从查询字符串中获取参数。

现在,这里的问题是您可能Illuminate\Http\Request在路由中没有可用的实例。这里的一个解决方案(以便您可以继续使用Input外观)是物理替换当前请求的输入,然后将其切换回来。

// Store the original input of the request and then replace the input with your request instances input.
$originalInput = Request::input();

Request::replace($request->input());

// Dispatch your request instance with the router.
$response = Route::dispatch($request);

// Replace the input again with the original request input.
Request::replace($originalInput);

这应该有效(理论上),并且在发出内部 API 请求之前和之后,您仍然应该能够使用原始请求输入。

于 2013-05-17T02:25:19.220 回答
2

我也刚刚面临这个问题,多亏了杰森的出色回答,我才能让它发挥作用。

只是想补充一点,我发现 Route 也需要更换。否则Route::currentRouteName()将在脚本稍后返回已调度的路由。

更多细节可以在我的博客文章中找到。

我还对堆栈问题进行了一些测试,并使用这种方法从彼此内部重复调用内部 API 方法。结果很好!所有请求和路由都已正确设置。

于 2013-06-12T23:45:06.053 回答
0

如果您想调用内部 API 并通过数组(而不是查询字符串)传递参数,您可以这样做:

$request = Request::create("/api/cars", "GET", array(
   "id" => $id,
   "fields" => array("id","color")
));
$originalInput = Request::input();//backup original input
Request::replace($request->input());
$car = json_decode(Route::dispatch($request)->getContent());//invoke API
Request::replace($originalInput);//restore orginal input

参考:Laravel:调用你自己的 API

于 2015-04-21T16:11:04.097 回答