You are here

class WebformElementController in Webform 6.x

Same name and namespace in other branches
  1. 8.5 src/Controller/WebformElementController.php \Drupal\webform\Controller\WebformElementController

Provides route responses for Webform elements.

Hierarchy

Expanded class hierarchy of WebformElementController

File

src/Controller/WebformElementController.php, line 17

Namespace

Drupal\webform\Controller
View source
class WebformElementController extends ControllerBase {

  /**
   * Returns response for message close using user or state storage.
   *
   * @param string $storage
   *   Mechanism that the message state should be stored in, user or state.
   * @param string $id
   *   The unique id of the message.
   *
   * @return \Drupal\Core\Ajax\AjaxResponse
   *   An empty Ajax response.
   *
   * @throws \Exception
   *   Throws exception is storage is not set to 'user' or 'state'.
   *
   * @see \Drupal\webform\Element\WebformMessage::setClosed
   */
  public function close($storage, $id) {
    if (!in_array($storage, [
      WebformMessage::STORAGE_USER,
      WebformMessage::STORAGE_STATE,
      WebformMessage::STORAGE_CUSTOM,
    ])) {
      throw new \Exception('Undefined storage mechanism for Webform close message.');
    }
    WebformMessage::setClosed($storage, $id);
    return new AjaxResponse();
  }

  /**
   * Returns response for the element autocomplete route.
   *
   * @param \Symfony\Component\HttpFoundation\Request $request
   *   The current request object containing the search string.
   * @param \Drupal\webform\WebformInterface $webform
   *   A webform.
   * @param string $key
   *   Webform element key.
   *
   * @return \Symfony\Component\HttpFoundation\JsonResponse
   *   A JSON response containing the autocomplete suggestions.
   */
  public function autocomplete(Request $request, WebformInterface $webform, $key) {

    // Get autocomplete query.
    $q = $request->query
      ->get('q') ?: '';
    if ($q === '') {
      return new JsonResponse([]);
    }

    // Get the initialized webform element.
    $element = $webform
      ->getElement($key);
    if (!$element) {
      return new JsonResponse([]);
    }

    // Set default autocomplete properties.
    $element += [
      '#autocomplete_existing' => FALSE,
      '#autocomplete_items' => [],
      '#autocomplete_match' => 3,
      '#autocomplete_limit' => 10,
      '#autocomplete_match_operator' => 'CONTAINS',
    ];

    // Check minimum number of characters.
    if (mb_strlen($q) < (int) $element['#autocomplete_match']) {
      return new JsonResponse([]);
    }
    $matches = [];

    // Get existing matches.
    if (!empty($element['#autocomplete_existing'])) {
      $matches += $this
        ->getMatchesFromExistingValues($q, $webform
        ->id(), $key, $element['#autocomplete_match_operator'], $element['#autocomplete_limit']);
    }

    // Get items (aka options) matches.
    if (!empty($element['#autocomplete_items'])) {
      $element['#options'] = $element['#autocomplete_items'];
      $options = WebformOptions::getElementOptions($element);
      $matches += $this
        ->getMatchesFromOptions($q, $options, $element['#autocomplete_match_operator'], $element['#autocomplete_limit']);
    }

    // Sort matches by label and enforce the limit.
    if ($matches) {
      uasort($matches, function (array $a, array $b) {
        return $a['label'] > $b['label'];
      });
      $matches = array_values($matches);
      $matches = array_slice($matches, 0, $element['#autocomplete_limit']);
    }
    return new JsonResponse($matches);
  }

  /**
   * Get matches from existing submission values.
   *
   * @param string $q
   *   String to filter option's label by.
   * @param string $webform_id
   *   The webform id.
   * @param string $key
   *   The element's key.
   * @param string $operator
   *   Match operator either CONTAINS or STARTS_WITH.
   * @param int $limit
   *   Limit number of matches.
   *
   * @return array
   *   An array of matches.
   */
  protected function getMatchesFromExistingValues($q, $webform_id, $key, $operator = 'CONTAINS', $limit = 10) {

    // Query webform submission for existing values.
    $query = Database::getConnection()
      ->select('webform_submission_data')
      ->fields('webform_submission_data', [
      'value',
    ])
      ->condition('webform_id', $webform_id)
      ->condition('name', $key)
      ->condition('value', $operator === 'START_WITH' ? "{$q}%" : "%{$q}%", 'LIKE')
      ->orderBy('value');
    if ($limit) {
      $query
        ->range(0, $limit);
    }

    // Convert query results values to matches array.
    $values = $query
      ->execute()
      ->fetchCol();
    $matches = [];
    foreach ($values as $value) {
      $matches[$value] = [
        'value' => $value,
        'label' => $value,
      ];
    }
    return $matches;
  }

  /**
   * Get matches from options.
   *
   * @param string $q
   *   String to filter option's label by.
   * @param array $options
   *   An associative array of webform options.
   * @param string $operator
   *   Match operator either CONTAINS or STARTS_WITH.
   * @param int $limit
   *   Limit number of matches.
   *
   * @return array
   *   An array of matches sorted by label.
   */
  protected function getMatchesFromOptions($q, array $options, $operator = 'CONTAINS', $limit = 10) {

    // Make sure options are populated.
    if (empty($options)) {
      return [];
    }
    $matches = [];

    // Filter and convert options to autocomplete matches.
    $this
      ->getMatchesFromOptionsRecursive($q, $options, $matches, $operator);

    // Sort matches.
    ksort($matches);

    // Apply match limit.
    if ($limit) {
      $matches = array_slice($matches, 0, $limit);
    }
    return array_values($matches);
  }

  /**
   * Get matches from options recursive.
   *
   * @param string $q
   *   String to filter option's label by.
   * @param array $options
   *   An associative array of webform options.
   * @param array $matches
   *   An associative array of autocomplete matches.
   * @param string $operator
   *   Match operator either CONTAINS or STARTS_WITH.
   */
  protected function getMatchesFromOptionsRecursive($q, array $options, array &$matches, $operator = 'CONTAINS') {
    foreach ($options as $label) {
      if (is_array($label)) {
        $this
          ->getMatchesFromOptionsRecursive($q, $label, $matches, $operator);
        continue;
      }

      // Cast TranslatableMarkup to string.
      $label = (string) $label;
      if ($operator === 'STARTS_WITH' && stripos($label, $q) === 0) {
        $matches[$label] = [
          'value' => $label,
          'label' => $label,
        ];
      }
      elseif (stripos($label, $q) !== FALSE) {
        $matches[$label] = [
          'value' => $label,
          'label' => $label,
        ];
      }
    }
  }

}

Members

Namesort descending Modifiers Type Description 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::$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::create public static function Instantiates a new instance of this class. Overrides ContainerInjectionInterface::create 46
ControllerBase::currentUser protected function Returns the current user. 1
ControllerBase::entityFormBuilder protected function Retrieves the entity form builder.
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.
ControllerBase::state protected function Returns the state storage 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. 27
MessengerTrait::messenger public function Gets the messenger. 27
MessengerTrait::setMessenger public function Sets the messenger.
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. 4
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.
WebformElementController::autocomplete public function Returns response for the element autocomplete route.
WebformElementController::close public function Returns response for message close using user or state storage.
WebformElementController::getMatchesFromExistingValues protected function Get matches from existing submission values.
WebformElementController::getMatchesFromOptions protected function Get matches from options.
WebformElementController::getMatchesFromOptionsRecursive protected function Get matches from options recursive.