class QuickEditController

Same name and namespace in other branches
  1. 9 core/modules/quickedit/src/QuickEditController.php \Drupal\quickedit\QuickEditController

Returns responses for Quick Edit module routes.

Hierarchy

Expanded class hierarchy of QuickEditController

File

core/modules/quickedit/src/QuickEditController.php, line 27

Namespace

Drupal\quickedit
View source
class QuickEditController extends ControllerBase {
    
    /**
     * The PrivateTempStore factory.
     *
     * @var \Drupal\Core\TempStore\PrivateTempStoreFactory
     */
    protected $tempStoreFactory;
    
    /**
     * The in-place editing metadata generator.
     *
     * @var \Drupal\quickedit\MetadataGeneratorInterface
     */
    protected $metadataGenerator;
    
    /**
     * The in-place editor selector.
     *
     * @var \Drupal\quickedit\EditorSelectorInterface
     */
    protected $editorSelector;
    
    /**
     * The renderer.
     *
     * @var \Drupal\Core\Render\RendererInterface
     */
    protected $renderer;
    
    /**
     * The entity display repository service.
     *
     * @var \Drupal\Core\Entity\EntityDisplayRepositoryInterface
     */
    protected $entityDisplayRepository;
    
    /**
     * The entity repository.
     *
     * @var \Drupal\Core\Entity\EntityRepositoryInterface
     */
    protected $entityRepository;
    
    /**
     * Constructs a new QuickEditController.
     *
     * @param \Drupal\Core\TempStore\PrivateTempStoreFactory $temp_store_factory
     *   The PrivateTempStore factory.
     * @param \Drupal\quickedit\MetadataGeneratorInterface $metadata_generator
     *   The in-place editing metadata generator.
     * @param \Drupal\quickedit\EditorSelectorInterface $editor_selector
     *   The in-place editor selector.
     * @param \Drupal\Core\Render\RendererInterface $renderer
     *   The renderer.
     * @param \Drupal\Core\Entity\EntityDisplayRepositoryInterface $entity_display_repository
     *   The entity display repository service.
     * @param \Drupal\Core\Entity\EntityRepositoryInterface $entity_repository
     *   The entity repository.
     */
    public function __construct(PrivateTempStoreFactory $temp_store_factory, MetadataGeneratorInterface $metadata_generator, EditorSelectorInterface $editor_selector, RendererInterface $renderer, EntityDisplayRepositoryInterface $entity_display_repository, EntityRepositoryInterface $entity_repository) {
        $this->tempStoreFactory = $temp_store_factory;
        $this->metadataGenerator = $metadata_generator;
        $this->editorSelector = $editor_selector;
        $this->renderer = $renderer;
        if (!$entity_display_repository) {
            @trigger_error('The entity_display.repository service must be passed to QuickEditController::__construct(), it is required before Drupal 9.0.0. See https://www.drupal.org/node/2549139.', E_USER_DEPRECATED);
            $entity_display_repository = \Drupal::service('entity_display.repository');
        }
        $this->entityDisplayRepository = $entity_display_repository;
        if (!$entity_repository) {
            @trigger_error('The entity.repository service must be passed to QuickEditController::__construct(), it is required before Drupal 9.0.0. See https://www.drupal.org/node/2549139.', E_USER_DEPRECATED);
            $entity_repository = \Drupal::service('entity.repository');
        }
        $this->entityRepository = $entity_repository;
    }
    
    /**
     * {@inheritdoc}
     */
    public static function create(ContainerInterface $container) {
        return new static($container->get('tempstore.private'), $container->get('quickedit.metadata.generator'), $container->get('quickedit.editor.selector'), $container->get('renderer'), $container->get('entity_display.repository'), $container->get('entity.repository'));
    }
    
    /**
     * Returns the metadata for a set of fields.
     *
     * Given a list of field quick edit IDs as POST parameters, run access checks
     * on the entity and field level to determine whether the current user may
     * edit them. Also retrieves other metadata.
     *
     * @return \Symfony\Component\HttpFoundation\JsonResponse
     *   The JSON response.
     */
    public function metadata(Request $request) {
        $fields = $request->request
            ->get('fields');
        if (!isset($fields)) {
            throw new NotFoundHttpException();
        }
        $entities = $request->request
            ->get('entities');
        $metadata = [];
        foreach ($fields as $field) {
            list($entity_type, $entity_id, $field_name, $langcode, $view_mode) = explode('/', $field);
            // Load the entity.
            if (!$entity_type || !$this->entityTypeManager()
                ->getDefinition($entity_type)) {
                throw new NotFoundHttpException();
            }
            $entity = $this->entityTypeManager()
                ->getStorage($entity_type)
                ->load($entity_id);
            if (!$entity) {
                throw new NotFoundHttpException();
            }
            // Validate the field name and language.
            if (!$field_name || !$entity->hasField($field_name)) {
                throw new NotFoundHttpException();
            }
            if (!$langcode || !$entity->hasTranslation($langcode)) {
                throw new NotFoundHttpException();
            }
            $entity = $entity->getTranslation($langcode);
            // If the entity information for this field is requested, include it.
            $entity_id = $entity->getEntityTypeId() . '/' . $entity_id;
            if (is_array($entities) && in_array($entity_id, $entities) && !isset($metadata[$entity_id])) {
                $metadata[$entity_id] = $this->metadataGenerator
                    ->generateEntityMetadata($entity);
            }
            $metadata[$field] = $this->metadataGenerator
                ->generateFieldMetadata($entity->get($field_name), $view_mode);
        }
        return new JsonResponse($metadata);
    }
    
    /**
     * Throws an AccessDeniedHttpException if the request fails CSRF validation.
     *
     * This is used instead of \Drupal\Core\Access\CsrfAccessCheck, in order to
     * allow access for anonymous users.
     *
     * @todo Refactor this to an access checker.
     */
    private static function checkCsrf(Request $request, AccountInterface $account) {
        $header = 'X-Drupal-Quickedit-CSRF-Token';
        if (!$request->headers
            ->has($header)) {
            throw new AccessDeniedHttpException();
        }
        if ($account->isAnonymous()) {
            // For anonymous users, just the presence of the custom header is
            // sufficient protection.
            return;
        }
        // For authenticated users, validate the token value.
        $token = $request->headers
            ->get($header);
        if (!\Drupal::csrfToken()->validate($token, $header)) {
            throw new AccessDeniedHttpException();
        }
    }
    
    /**
     * Returns AJAX commands to load in-place editors' attachments.
     *
     * Given a list of in-place editor IDs as POST parameters, render AJAX
     * commands to load those in-place editors.
     *
     * @return \Drupal\Core\Ajax\AjaxResponse
     *   The Ajax response.
     */
    public function attachments(Request $request) {
        $response = new AjaxResponse();
        $editors = $request->request
            ->get('editors');
        if (!isset($editors)) {
            throw new NotFoundHttpException();
        }
        $response->setAttachments($this->editorSelector
            ->getEditorAttachments($editors));
        return $response;
    }
    
    /**
     * Returns a single field edit form as an Ajax response.
     *
     * @param \Drupal\Core\Entity\EntityInterface $entity
     *   The entity being edited.
     * @param string $field_name
     *   The name of the field that is being edited.
     * @param string $langcode
     *   The name of the language for which the field is being edited.
     * @param string $view_mode_id
     *   The view mode the field should be rerendered in.
     * @param \Symfony\Component\HttpFoundation\Request $request
     *   The current request object containing the search string.
     *
     * @return \Drupal\Core\Ajax\AjaxResponse
     *   The Ajax response.
     */
    public function fieldForm(EntityInterface $entity, $field_name, $langcode, $view_mode_id, Request $request) {
        $response = new AjaxResponse();
        // Replace entity with PrivateTempStore copy if available and not resetting,
        // init PrivateTempStore copy otherwise.
        $tempstore_entity = $this->tempStoreFactory
            ->get('quickedit')
            ->get($entity->uuid());
        if ($tempstore_entity && $request->request
            ->get('reset') !== 'true') {
            $entity = $tempstore_entity;
        }
        else {
            $this->tempStoreFactory
                ->get('quickedit')
                ->set($entity->uuid(), $entity);
        }
        $form_state = (new FormState())->set('langcode', $langcode)
            ->disableRedirect()
            ->addBuildInfo('args', [
            $entity,
            $field_name,
        ]);
        $form = $this->formBuilder()
            ->buildForm('Drupal\\quickedit\\Form\\QuickEditFieldForm', $form_state);
        if ($form_state->isExecuted()) {
            // The form submission saved the entity in PrivateTempStore. Return the
            // updated view of the field from the PrivateTempStore copy.
            $entity = $this->tempStoreFactory
                ->get('quickedit')
                ->get($entity->uuid());
            // Closure to render the field given a view mode.
            $render_field_in_view_mode = function ($view_mode_id) use ($entity, $field_name, $langcode) {
                return $this->renderField($entity, $field_name, $langcode, $view_mode_id);
            };
            // Re-render the updated field.
            $output = $render_field_in_view_mode($view_mode_id);
            // Re-render the updated field for other view modes (i.e. for other
            // instances of the same logical field on the user's page).
            $other_view_mode_ids = $request->request
                ->get('other_view_modes') ?: [];
            $other_view_modes = array_map($render_field_in_view_mode, array_combine($other_view_mode_ids, $other_view_mode_ids));
            $response->addCommand(new FieldFormSavedCommand($output, $other_view_modes));
        }
        else {
            $output = $this->renderer
                ->renderRoot($form);
            // When working with a hidden form, we don't want its CSS/JS to be loaded.
            if ($request->request
                ->get('nocssjs') !== 'true') {
                $response->setAttachments($form['#attached']);
            }
            $response->addCommand(new FieldFormCommand($output));
            $errors = $form_state->getErrors();
            if (count($errors)) {
                $status_messages = [
                    '#type' => 'status_messages',
                ];
                $response->addCommand(new FieldFormValidationErrorsCommand($this->renderer
                    ->renderRoot($status_messages)));
            }
        }
        return $response;
    }
    
    /**
     * Renders a field.
     *
     * If the view mode ID is not an Entity Display view mode ID, then the field
     * was rendered using a custom render pipeline (not the Entity/Field API
     * render pipeline).
     *
     * An example could be Views' render pipeline. In that case, the view mode ID
     * would probably contain the View's ID, display and the row index.
     *
     * @param \Drupal\Core\Entity\EntityInterface $entity
     *   The entity being edited.
     * @param string $field_name
     *   The name of the field that is being edited.
     * @param string $langcode
     *   The name of the language for which the field is being edited.
     * @param string $view_mode_id
     *   The view mode the field should be rerendered in. Either an Entity Display
     *   view mode ID, or a custom one. See hook_quickedit_render_field().
     *
     * @return \Drupal\Component\Render\MarkupInterface
     *   Rendered HTML.
     *
     * @see hook_quickedit_render_field()
     */
    protected function renderField(EntityInterface $entity, $field_name, $langcode, $view_mode_id) {
        $entity_view_mode_ids = array_keys($this->entityDisplayRepository
            ->getViewModes($entity->getEntityTypeId()));
        if (in_array($view_mode_id, $entity_view_mode_ids)) {
            $entity = $this->entityRepository
                ->getTranslationFromContext($entity, $langcode);
            $output = $entity->get($field_name)
                ->view($view_mode_id);
        }
        else {
            // Each part of a custom (non-Entity Display) view mode ID is separated
            // by a dash; the first part must be the module name.
            $mode_id_parts = explode('-', $view_mode_id, 2);
            $module = reset($mode_id_parts);
            $args = [
                $entity,
                $field_name,
                $view_mode_id,
                $langcode,
            ];
            $output = $this->moduleHandler()
                ->invoke($module, 'quickedit_render_field', $args);
        }
        return $this->renderer
            ->renderRoot($output);
    }
    
    /**
     * Saves an entity into the database, from PrivateTempStore.
     *
     * @param \Drupal\Core\Entity\EntityInterface $entity
     *   The entity being edited.
     *
     * @return \Drupal\Core\Ajax\AjaxResponse
     *   The Ajax response.
     */
    public function entitySave(EntityInterface $entity) {
        self::checkCsrf(\Drupal::request(), \Drupal::currentUser());
        // Take the entity from PrivateTempStore and save in entity storage.
        // fieldForm() ensures that the PrivateTempStore copy exists ahead.
        $tempstore = $this->tempStoreFactory
            ->get('quickedit');
        $tempstore->get($entity->uuid())
            ->save();
        $tempstore->delete($entity->uuid());
        // Return information about the entity that allows a front end application
        // to identify it.
        $output = [
            'entity_type' => $entity->getEntityTypeId(),
            'entity_id' => $entity->id(),
        ];
        // Respond to client that the entity was saved properly.
        $response = new AjaxResponse();
        $response->addCommand(new EntitySavedCommand($output));
        return $response;
    }

}

Members

Title Sort descending Deprecated Modifiers Object type Summary Overriden Title Overrides
ControllerBase::$configFactory protected property The configuration factory.
ControllerBase::$currentUser protected property The current user service. 1
ControllerBase::$entityFormBuilder protected property The entity form builder.
ControllerBase::$entityManager protected property The entity manager.
ControllerBase::$entityTypeManager protected property The entity type manager.
ControllerBase::$formBuilder protected property The form builder. 2
ControllerBase::$keyValue protected property The key-value storage. 1
ControllerBase::$languageManager protected property The language manager. 1
ControllerBase::$moduleHandler protected property The module handler. 2
ControllerBase::$stateService protected property The state service.
ControllerBase::cache protected function Returns the requested cache bin.
ControllerBase::config protected function Retrieves a configuration object.
ControllerBase::container private function Returns the service container.
ControllerBase::currentUser protected function Returns the current user. 1
ControllerBase::entityFormBuilder protected function Retrieves the entity form builder.
ControllerBase::entityManager Deprecated protected function Retrieves the entity manager service.
ControllerBase::entityTypeManager protected function Retrieves the entity type manager.
ControllerBase::formBuilder protected function Returns the form builder service. 2
ControllerBase::keyValue protected function Returns a key/value storage collection. 1
ControllerBase::languageManager protected function Returns the language manager service. 1
ControllerBase::moduleHandler protected function Returns the module handler. 2
ControllerBase::redirect protected function Returns a redirect response object for the specified route. Overrides UrlGeneratorTrait::redirect
ControllerBase::state protected function Returns the state storage service.
LinkGeneratorTrait::$linkGenerator protected property The link generator. 1
LinkGeneratorTrait::getLinkGenerator Deprecated protected function Returns the link generator.
LinkGeneratorTrait::l Deprecated protected function Renders a link to a route given a route name and its parameters.
LinkGeneratorTrait::setLinkGenerator Deprecated public function Sets the link generator service.
LoggerChannelTrait::$loggerFactory protected property The logger channel factory service.
LoggerChannelTrait::getLogger protected function Gets the logger for a specific channel.
LoggerChannelTrait::setLoggerFactory public function Injects the logger channel factory.
MessengerTrait::$messenger protected property The messenger. 17
MessengerTrait::messenger public function Gets the messenger. 17
MessengerTrait::setMessenger public function Sets the messenger.
QuickEditController::$editorSelector protected property The in-place editor selector.
QuickEditController::$entityDisplayRepository protected property The entity display repository service.
QuickEditController::$entityRepository protected property The entity repository.
QuickEditController::$metadataGenerator protected property The in-place editing metadata generator.
QuickEditController::$renderer protected property The renderer.
QuickEditController::$tempStoreFactory protected property The PrivateTempStore factory.
QuickEditController::attachments public function Returns AJAX commands to load in-place editors' attachments.
QuickEditController::checkCsrf private static function Throws an AccessDeniedHttpException if the request fails CSRF validation.
QuickEditController::create public static function Instantiates a new instance of this class. Overrides ControllerBase::create
QuickEditController::entitySave public function Saves an entity into the database, from PrivateTempStore.
QuickEditController::fieldForm public function Returns a single field edit form as an Ajax response.
QuickEditController::metadata public function Returns the metadata for a set of fields.
QuickEditController::renderField protected function Renders a field.
QuickEditController::__construct public function Constructs a new QuickEditController.
RedirectDestinationTrait::$redirectDestination protected property The redirect destination service. 1
RedirectDestinationTrait::getDestinationArray protected function Prepares a 'destination' URL query parameter for use with \Drupal\Core\Url.
RedirectDestinationTrait::getRedirectDestination protected function Returns the redirect destination service.
RedirectDestinationTrait::setRedirectDestination public function Sets the redirect destination service.
StringTranslationTrait::$stringTranslation protected property The string translation service.
StringTranslationTrait::formatPlural protected function Formats a string containing a count of items.
StringTranslationTrait::getNumberOfPlurals protected function Returns the number of plurals supported by a given language.
StringTranslationTrait::getStringTranslation protected function Gets the string translation service.
StringTranslationTrait::setStringTranslation public function Sets the string translation service to use. 2
StringTranslationTrait::t protected function Translates a string to the current language or to a given language.
UrlGeneratorTrait::$urlGenerator protected property The url generator.
UrlGeneratorTrait::getUrlGenerator Deprecated protected function Returns the URL generator service.
UrlGeneratorTrait::setUrlGenerator Deprecated public function Sets the URL generator service.
UrlGeneratorTrait::url Deprecated protected function Generates a URL or path for a specific route based on the given parameters.

Buggy or inaccurate documentation? Please file an issue. Need support? Need help programming? Connect with the Drupal community.