14

假设我有一个名为 John 的模型,带有这些参数:

{
    Language : {
        code    :  'gr',
        title   :  'Greek'
    },
    Name : 'john'
}

所以现在当我触发John.save()它时将它们发布到服务器:

发布参数 http://o7.no/ypvWNp

使用这些标题:

标头 http://o7.no/x5DVw0

Silex 中的代码非常简单:

<?php

require_once __DIR__.'/silex.phar';

$app = new Silex\Application();

use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;

// definitions
$app['debug'] = true;

$app->post('/api/user', function (Request $request) {
    var_dump($request->get('Name'));

    $params = json_decode(file_get_contents('php://input'));
    var_dump($params->Name);
});

$app->run();

但是首先var_dump返回 null 第二个 var_dump 当然可以,因为我是直接从php://input资源中获取请求的。我想知道如何使用 Silex 的 Request 对象获取参数

谢谢

4

3 回答 3

15

其实很容易。

use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\ParameterBag;

$app->before(function (Request $request) {
    if (0 === strpos($request->headers->get('Content-Type'), 'application/json')) {
        $data = json_decode($request->getContent(), true);
        $request->request = new ParameterBag(is_array($data) ? $data : array());
    }
});

然后是一个示例路线:

$app->match('/', function (Request $request) {
    return $request->get('foo');
});

并使用 curl 进行测试:

$ curl http://localhost/foobarbazapp/app.php -d '{"foo": "bar"}' -H 'Content-Type: application/json'
bar
$

或者查看(稍微过时的)RestServiceProvider

编辑:我已经把这个答案变成了silex 文档中的食谱食谱

于 2012-01-04T21:08:36.230 回答
4

我之前的做法如下:

$app->post('/api/todos', function (Request $request) use ($app) {
    $data = json_decode($request->getContent());

    $todo =  $app['paris']->getModel('Todo')->create();
    $todo->title = $data->title;
    $todo->save();

    return new Response(json_encode($todo->as_array()), 200, array('Content-Type' => 'application/json'));
});

在您的骨干集合中,添加以下内容:

window.TodoList = Backbone.Collection.extend({
    model: Todo,

    url: "api/todos",

    ...
});

我在这里写了一个完整的分步教程http://cambridgesoftware.co.uk/blog/item/59-backbonejs-%20-php-with-silex-microframework-%20-mysql

于 2012-01-13T19:54:33.600 回答
0

我通过$payload在 Request 对象上设置一个额外的属性自己解决了这个问题

$app->before(function(Request $request) {
    if (stristr($request->getContentType(), 'json')) {
        $data             = json_decode($request->getContent());
        $request->payload = $data;
    } else {
        $request->payload = null;
    }
});
于 2012-07-05T06:43:17.697 回答