작은 값으로 다중 값 필드 값 계산


9

나는 시도한 나뭇 가지 tempalate에서 무제한 필드의 값 수를 세고 싶습니다.

{{ node.field_mytext.count }} => 오류가 발생했습니다

그리고 다른 시도에서

{{ content.field_mytext.count }}=> 아무것도 반환되지 않았습니다

(이 방법에서는 필드가 비활성화되어 있지 않은지 확인했습니다. 필드는 디스플레이 관리자입니다).


내 질문은 나뭇 가지에서 필드의 항목 수를 어떻게 계산할 수 있습니까?

솔루션에 직면하여 이러한 솔루션을 기대하기를 바랍니다.


{{content.field_mytext | 길이 }}?
David Mcsmith

답변:


14

{{node.field_mytext.count}} => 오류가 발생했습니다

이 방법 count은 나뭇 가지 정책에서 허용되지 않기 때문에 작동하지 않습니다 .

core / lib / Drupal / Core / Template / TwigSandboxPolicy.php

{{content.field_mytext | 길이 }}?

content추가 키가 많은 렌더 배열 이므로 작동하지 않습니다 .

작동 : 필드를 배열로 변환하고 계산

{{ node.field_mytext.getvalue | length }}

아마도 foreach 루프를 사용 하여이 작업을 수행 할 수도 있지만이 특정 목적을 위해 더 깨끗합니다.
아니 Sssweat

6

가장 쉬운 방법은을 얻는 것 ['#items']|length입니다. 더 많은 인스턴스를보고 슬라이더를로드 할 때 항목을 계산하기 위해 항상 수행합니다.

{{ content.field_mytext['#items']|length }}

4

엔티티 필드를 지원하기 위해 자체 Twig 필터를 사용했습니다.이를 통해 필드를 기본 배열로 사용할 수 있습니다.

{{ content.field_mytext|length }}

또는

{{ content.field_mytext|first|value }}

또는

{% if content.field_mytext is empty %}

사용자 정의 모듈을 통해 자신 만의 나뭇 가지 필터를 쉽게 추가 할 수 있습니다. 자세한 내용은 drupal.org/docs/8/creating-custom-modules 에서 확인할 수 있습니다 . 간단히 말해서 모듈 디렉토리를 만들어야합니다 (예 path/to/drupal/modules/custom/common/: common.info.yml모듈 정의 및 common.services.yml서비스 정의 (코드 주석 참조) 포함) /path/to/drupal/modules/custom/common/src/TwigExtension.php.

<?php
namespace Drupal\common;

use Drupal\Core\Field\FieldItemInterface;
use Drupal\Core\Field\FieldItemListInterface;
use Drupal\Core\TypedData\ComplexDataInterface;

/**
 * A class providing Twig extensions.
 *
 * This provides a Twig extension that registers various Field-API-specific
 * extensions to Twig, overriding empty and array related filters.
 *
 * Don't forget about common.services.yml
 * services:
 *   common.twig.TwigExtension:
 *     class: Drupal\common\TwigExtension
 *     tags:
 *       - { name: twig.extension }
 *
 * Usage (in *.html.twig file):
 *   - check is field empty {% if content.field_foo is empty %}
 *   - get field first value {{ content.field_foo|first|value }}
 */
class TwigExtension extends \Twig_Extension {

  /**
   * {@inheritdoc}
   */
  public function getTests() {
    return [
      new \Twig_SimpleTest('empty', [$this, 'twigEmptyField']),
    ];
  }

  /**
   * {@inheritdoc}
   */
  public function getFilters() {
    return [
      new \Twig_SimpleFilter('length', [$this, 'twigLengthFilter'], ['needs_environment' => TRUE]),
      new \Twig_SimpleFilter('slice', [$this, 'twigSlice'], ['needs_environment' => TRUE]),
      new \Twig_SimpleFilter('first', [$this, 'twigFirst'], ['needs_environment' => TRUE]),
      new \Twig_SimpleFilter('last', [$this, 'twigLast'], ['needs_environment' => TRUE]),
      new \Twig_SimpleFilter('value', [$this, 'twigFieldValue']),
    ];
  }

  /**
   * Check if value is field item object.
   *
   * @param mixed $value
   *   Mixed Twig variable.
   *
   * @return \Drupal\Core\Field\FieldItemListInterface|mixed
   *   FieldItemListInterface or same value as passed.
   */
  private function checkItems($value) {
    if (is_array($value) && !empty($value['#items']) && $value['#items'] instanceof FieldItemListInterface) {
      return $value['#items'];
    }
    return $value;
  }

  /**
   * Get field item value.
   *
   * @param object $field
   *   Field object.
   *
   * @return array|mixed
   *   List of values or value.
   */
  public function twigFieldValue($field) {
    if ($field instanceof FieldItemInterface) {
      $prop = $field->mainPropertyName();
      $value = $field->getValue();
      return $prop ? $value[$prop] : $value;
    }
    if ($field instanceof FieldItemListInterface) {
      $value = [];
      foreach ($field as $item) {
        $value[] = $this->twigFieldValue($item);
      }
      return $value;
    }
    return '';
  }

  /**
   * Checks if a variable is empty.
   *
   * @see twig_test_empty
   */
  public function twigEmptyField($value) {
    $value = $this->checkItems($value);
    if ($value instanceof ComplexDataInterface) {
      return $value->isEmpty();
    }
    // Return TRUE, because there is no data only cache and weight.
    elseif (!is_object($value) && isset($value['#cache']) && count($value) == 2) {
      return TRUE;
    }
    return twig_test_empty($value);
  }

  /**
   * Returns the length of a variable.
   *
   * @param \Twig_Environment $env
   *   Twig environment.
   * @param mixed $item
   *   A variable.
   *
   * @return mixed
   *   The first element of the item.
   *
   * @see twig_length_filter
   */
  public function twigLengthFilter(\Twig_Environment $env, $item) {
    $item = $this->checkItems($item);
    return twig_length_filter($env, $item);
  }

  /**
   * Slices a variable.
   *
   * @param \Twig_Environment $env
   *   Twig environment.
   * @param mixed $item
   *   A variable.
   * @param int $start
   *   Start of the slice.
   * @param int $length
   *   Size of the slice.
   * @param bool $preserveKeys
   *   Whether to preserve key or not (when the input is an array)
   *
   * @return mixed
   *   The first element of the item.
   *
   * @see twig_slice
   */
  public function twigSlice(\Twig_Environment $env, $item, $start, $length = NULL, $preserveKeys = FALSE) {
    $item = $this->checkItems($item);
    return twig_slice($env, $item, $start, $length, $preserveKeys);
  }

  /**
   * Returns the first element of the item.
   *
   * @param \Twig_Environment $env
   *   Twig environment.
   * @param mixed $item
   *   A variable.
   *
   * @return mixed
   *   The first element of the item.
   *
   * @see twig_first
   */
  public function twigFirst(\Twig_Environment $env, $item) {
    $item = $this->checkItems($item);
    return twig_first($env, $item);
  }

  /**
   * Returns the last element of the item.
   *
   * @param \Twig_Environment $env
   *   Twig environment.
   * @param mixed $item
   *   A variable.
   *
   * @return mixed
   *   The first element of the item.
   *
   * @see twig_last
   */
  public function twigLast(\Twig_Environment $env, $item) {
    $item = $this->checkItems($item);
    return twig_last($env, $item);
  }

}

0

길이 필터 사용

{{ content.field_mytext | length }} 

4
실수 값을 반환 !!!, 내 필드가 길고 거기에 4 개의 항목이 있지만 20을 반환하십시오 !!!
유세프

1
상황에 따라 올바른 값을 반환 할 수 있지만 정답이 아닙니다.
aydow
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.