다른 모듈에서 정의한 경로를 어떻게 변경합니까?


14

다시 말해서, Drupl 8은 hook_menu_alter () 와 동등한 것은 무엇 입니까?

Drupal 8은 여전히 hook_menu ()을 사용 하지만, 내가 볼 수있는 것처럼 후크에서 반환되는 정보는 Drupal 7에서 반환 된 후크와 다릅니다. 예를 들어 user_menu () 에 제공된 정의 는 다음과 같습니다.

  $items['user'] = array(
    'title' => 'User account',
    'title callback' => 'user_menu_title',
    'weight' => -10,
    'route_name' => 'user_page',
    'menu_name' => 'account',
  );

route_name 특성은 user.routing.yml 파일 의 항목에 연결 됩니다.

user_page:
  pattern: '/user'
  defaults:
    _content: '\Drupal\user\Controller\UserController::userPage'
  requirements:
    _access: 'TRUE'

이것은 Symphony로 수행 한 것과 다르며, 모듈이 다른 사용자로부터 정의 된 경로를 변경하는 방법에 대해 혼란을줍니다.

여전히 호출하는 유일한 함수 hook_menu_alter()menu_router_build () 이지만 해당 함수에는 여전히 사용되지 않는을 사용하고 있기 때문에 여전히 업데이트해야하는 코드가 포함되어 있습니다 drupal_alter().

  // Alter the menu as defined in modules, keys are like user/%user.
  drupal_alter('menu', $callbacks);
  foreach ($callbacks as $path => $router_item) {
    // If the menu item is a default local task and incorrectly references a
    // route, remove it.
    // @todo This may be removed later depending on the outcome of
    // http://drupal.org/node/1889790
    if (isset($router_item['type']) && $router_item['type'] == MENU_DEFAULT_LOCAL_TASK) {
      unset($callbacks[$path]['route_name']);
    }
    // If the menu item references a route, normalize the route information
    // into the old structure. Note that routes are keyed by name, not path,
    // so the path of the route takes precedence.
    if (isset($router_item['route_name'])) {
      $router_item['page callback'] = 'USES_ROUTE';
      $router_item['access callback'] = TRUE;
      $new_path = _menu_router_translate_route($router_item['route_name']);

      unset($callbacks[$path]);
      $callbacks[$new_path] = $router_item;
    }
  }

답변:


6

기존 경로 변경 및 동적 경로를 기반으로 새 경로 추가를 참조하십시오 . 검색 모듈에서 처리하는 / search를 제거하는 것이 좋았습니다. 필자의 경우 다음 코드를 사용했습니다.

<?php
/**
 * @file
 * Contains \Drupal\ua_sc_module\Routing\SearchAlterRouteSubscriber.
 */

namespace Drupal\ua_sc_module\Routing;

use Drupal\Core\Routing\RouteSubscriberBase;
use Symfony\Component\Routing\RouteCollection;

/**
 * Listens to the dynamic route events.
 */
class SearchAlterRouteSubscriber extends RouteSubscriberBase {

  /**
   * {@inheritdoc}
   */
  public function alterRoutes(RouteCollection $collection) {
    // Remove the /search route.
    $collection->remove('search.view');
  }

}

12

뷰가 기존 라우팅 항목을 재정의하도록 허용하면 기존 기능 만 사용됩니다.

실제 사용 된 컨트롤러와 같은 메뉴가 아닌 경로에 연결된 정보 또는 요구 사항 (권한 / 역할 등)을 변경하려는 경우 Drupal에서 제공하는 이벤트를 사용할 수 있습니다.

  <?php

  use Drupal\Core\Routing\RouteBuildEvent;
  use Drupal\Core\Routing\RoutingEvents;
  use Symfony\Component\EventDispatcher\EventSubscriberInterface;

  class RouteSubscriber implements EventSubscriberInterface {

   /**
    * {@inheritdoc}
    */
   public static function getSubscribedEvents() {
      $events[RoutingEvents::ALTER] = 'alterRoutes';
     return $events;
   }

  /**
   * Alters existing routes.
   *
   * @param \Drupal\Core\Routing\RouteBuildEvent $event
   *   The route building event.
   */
  public function alterRoutes(RouteBuildEvent $event) {
    // Fetch the collection which can be altered.
    $collection = $event->getRouteCollection();
    // The event is fired multiple times so ensure that the user_page route
    // is available.
    if ($route = $collection->get('user_page')) {
      // As example add a new requirement.
      $route->setRequirement('_role', 'anonymous');
    }
  }

  }

또한이 클래스에 대해 'event_subscriber'태그를 사용하여 서비스를 등록해야합니다.



7

이 질문을 한 후 Drupal 8 코어가 변경되었으며 경로에 대한 일부 문제가 수정되었습니다.

hook_menu()더 이상 Drupal 8에서 사용되지 않습니다. 모듈이 사용하는 경로는 .routing.yml 파일 (예 : user.routing.yml )에 정의되어 있습니다. 변경 후크는 여전히 사용되지만 hook_menu()Drupal 코어에서 더 이상 사용되지 않으므로 사용되지 않습니다 hook_menu_alter().

다른 모듈에서 정의 된 경로를 변경하는 데 필요한 단계는 다음과 같습니다.

  • 서비스 정의

    services:
      mymodule.route_subscriber:
        class: Drupal\mymodule\Routing\RouteSubscriber
        tags:
          - { name: event_subscriber }
  • 클래스를 확장하는 클래스를 작성하십시오 RouteSubscriberBase.

    namespace Drupal\mymodule\Routing;
    
    use Drupal\Core\Routing\RouteSubscriberBase;
    use Symfony\Component\Routing\RouteCollection;
    
    /**
     * Listens to the dynamic route events.
     */
    class RouteSubscriber extends RouteSubscriberBase {
    
      /**
       * {@inheritdoc}
       */
      protected function alterRoutes(RouteCollection $collection) {
        // Change the route associated with the user profile page (/user, /user/{uid}).
        if ($route = $collection->get('user.page')) {
          $route->setDefault('_controller', '\Drupal\mymodule\Controller\UserController::userPage');
        }
      }
    
    }

이전 Drupal 8 릴리즈와 비교하여 일부 세부 사항이 변경되었습니다.

  • 경로 이름이 변경됩니다 user_pageuser.page
  • 변경 그 경로에 대한 요구 사항 _access: 'TRUE'_user_is_logged_in: 'TRUE'
  • 속성은 변경 경로의 제어 설정 _content을을_controller

여러 경로를 일치 시키려면 $ matched 변수를 false로 설정하는 것보다 더 우아한 방법이 $collection->get()있습니까? 나는 명백한 방법을 볼 수 없습니다.
William Turrell

당신은 얻을 수 @WilliamTurrell ArrayIterator객체를 RouteCollection::getIterator(); 의 모든 항목을 쉽게 반복 할 수 있습니다 $collection. 또한 모든 경로를 얻을 수 $collectionRouteCollection::all()배열을 반환한다.
kiamlaluno
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.