5

我的应用程序中的大多数响应是视图或 JSON。我不知道如何将它们放在ResponseInterfacePSR -7中实现的对象中。

这是我目前所做的:

// Views
header('Content-Type: text/html; charset=utf-8');
header('Content-Language: en-CA');
echo $twig->render('foo.html.twig', array(
    'param' => 'value'
    /* ... */
));

// JSON
header('Content-Type: application/json; charset=utf-8');
echo json_encode($foo);

这是我试图用 PSR-7 做的事情:

// Views
$response = new Http\Response(200, array(
    'Content-Type' => 'text/html; charset=utf-8',
    'Content-Language' => 'en-CA'
));

// what to do here to put the Twig output in the response??

foreach ($response->getHeaders() as $k => $values) {
    foreach ($values as $v) {
        header(sprintf('%s: %s', $k, $v), false);
    }
}
echo (string) $response->getBody();

而且我认为 JSON 响应只是具有不同的标头,这将是相似的。据我了解,消息正文是 aStreamInterface并且当我尝试输出创建的文件资源时它可以工作,fopen但我如何使用字符串来做到这一点?

更新

Http\Response在我的代码中实际上是我自己ResponseInterface在 PSR-7 中的实现。我已经实现了所有接口,因为我目前坚持使用 PHP 5.3,并且找不到任何与 PHP < 5.4 兼容的实现。这是 的构造函数Http\Response

public function __construct($code = 200, array $headers = array()) {
    if (!in_array($code, static::$validCodes, true)) {
        throw new \InvalidArgumentException('Invalid HTTP status code');
    }

    parent::__construct($headers);
    $this->code = $code;
}

我可以修改我的实现以接受输出作为构造函数参数,或者我可以使用实现的withBody方法MessageInterface。不管我怎么做,问题是如何将字符串放入流中

4

1 回答 1

2

ResponseInterfaceextends MessageInterface,它提供了getBody()你找到的 getter。PSR-7 期望实现的对象ResponseInterface是不可变的,如果不修改构造函数,您将无法实现。

由于您正在运行 PHP < 5.4(并且无法有效地输入提示),请按如下方式对其进行修改:

public function __construct($code = 200, array $headers = array(), $content='') {
  if (!in_array($code, static::$validCodes, true)) {
    throw new \InvalidArgumentException('Invalid HTTP status code');
  }

  parent::__construct($headers);
  $this->code = $code;
  $this->content = (string) $content;
}

定义一个私有成员$content如下:

private $content = '';

还有一个吸气剂:

public function getBody() {
  return $this->content;
}

你很高兴去!

于 2015-11-22T11:21:03.943 回答