1

我被分配到一个需要包含 Symfony 组件以重新组织其业务逻辑的项目。但是,我在查看 Symfony HTTP 基础文档时感到困惑。希望这里有人能帮我解释一下这个组件如何处理用户的 Http 请求和响应。

基本上,我在项目中所做的是:

  1. 拥有一个 PHP 页面会使用请求的 URL 和方法创建 Request 对象

  2. 使用 ApiRouter 将代码定向到所需的控制器

  3. 在控制器中,它将 HTTP 请求发送到服务器,并根据请求 URL 将响应转换为 Symfony 响应对象。

位置.php

class GetLocation
{
public function __construct($q)
   {
    $request = Request::create('location?v=full&q=' . 
    urlencode($q), 'GET'); //simulates a request using the url
    $rest_api = new RestApi();  //passing the request to api router
    $rest_api->apiRouter($request);
    }
}

ApiRouter.php

    //location router
       $location_route = new Route(
            '/location',
            ['controller' => 'LocationController']
        );
       $api_routes->add('location_route', $location_route);

    //Init RequestContext object
    $context = new RequestContext();
    //generate the context from user passed $request
    $context->fromRequest($request);

    // Init UrlMatcher object matches the url path with router
    // Find the current route and returns an array of attributes
    $matcher = new UrlMatcher($api_routes, $context);
    try {
        $parameters = $matcher->match($request->getPathInfo());
        extract($parameters, EXTR_SKIP);
        ob_start();

        $response = new Response(ob_get_clean());
    } catch (ResourceNotFoundException $exception) {
        $response = new Response('Not Found', 404);
    } catch (Exception $exception) {
        $response = new Response('An error occurred', 500);
    }

我希望知道的是我对逻辑的理解是否正确?以及 Request:createFromGlobal 方法是什么意思,这个和 Request:create(URL) 有什么区别

如果我的问题需要更具体,请告诉我。

4

1 回答 1

1

首先,您的问题更容易:

Request::createFromGlobals()将基于一些 PHP 全局变量创建一个请求,例如$_SERVER,$_GET$_POST,这意味着它将根据我们“进入”的当前请求创建一个请求,即触发我们应用程序的用户请求。Request::create()另一方面,将在不应用此上下文的情况下构建“新”请求,这意味着您必须自己传递某些信息,例如路径和 HTTP 方法。

现在关于您的代码以及它是否会起作用。简短的回答是,可能不是。在 GetLocation 中,您创建一个新请求和一个新路由器,并在控制器内部创建一个路由,然后将其添加到路由器。这意味着除非控制器代码在 GetLocation 之前执行,否则路由在路由器中将不可用,这意味着永远不会调用控制器。

您可能想查看该系列:在 symfony 文档中创建您自己的 PHP 框架,尤其是从HttpFoundation 组件开始的部分。希望这将为您解决问题。

于 2019-06-10T18:30:04.807 回答