[php] Twig 템플릿에서 for 루프 내에서 중단 또는 계속을 사용하려면 어떻게해야합니까?

저는 간단한 루프를 사용하려고합니다. 실제 코드에서는이 루프가 더 복잡하며 다음과 break같이 반복 해야합니다 .

{% for post in posts %}
    {% if post.id == 10 %}
        {# break #}
    {% endif %}
    <h2>{{ post.heading }}</h2>
{% endfor %}

Twig에서 PHP 제어 구조의 동작 break또는 동작을 어떻게 사용할 수 continue있습니까?



답변

이것은 반복에 대한 플래그로 새 변수를 설정하여 거의 수행 할 수 있습니다 break.

{% set break = false %}
{% for post in posts if not break %}
    <h2>{{ post.heading }}</h2>
    {% if post.id == 10 %}
        {% set break = true %}
    {% endif %}
{% endfor %}

추악하지만 작동하는 예 continue:

{% set continue = false %}
{% for post in posts %}
    {% if post.id == 10 %}
        {% set continue = true %}
    {% endif %}
    {% if not continue %}
        <h2>{{ post.heading }}</h2>
    {% endif %}
    {% if continue %}
        {% set continue = false %}
    {% endif %}
{% endfor %}

그러나 성능 이익 은 없으며 플랫 PHP와 같은 내장 breakcontinue명령문과 유사한 동작 만 있습니다.


답변

문서 TWIG 문서에서 :

PHP와 달리 루프에서 중단하거나 계속할 수 없습니다.

하지만 여전히 :

그러나 반복 중에 시퀀스를 필터링하여 항목을 건너 뛸 수 있습니다.

예제 1 (대용량 목록의 경우 slice ,를 사용하여 게시물을 필터링 할 수 있음 slice(start, length)) :

{% for post in posts|slice(0,10) %}
    <h2>{{ post.heading }}</h2>
{% endfor %}

예 2 :

{% for post in posts if post.id < 10 %}
    <h2>{{ post.heading }}</h2>
{% endfor %}

다음 과 같이 더 복잡한 조건에 대해 자체 TWIG 필터 를 사용할 수도 있습니다 .

{% for post in posts|onlySuperPosts %}
    <h2>{{ post.heading }}</h2>
{% endfor %}


답변

를 사용 {% break %}하거나 {% continue %}쓸 수있는 방법 은 TokenParsers 를 쓰는 것입니다.

{% break %}아래 코드 에서 토큰에 대해 수행했습니다 . 많은 수정없이 {% continue %}.

  • AppBundle \ Twig \ AppExtension.php :

    namespace AppBundle\Twig;
    
    class AppExtension extends \Twig_Extension
    {
        function getTokenParsers() {
            return array(
                new BreakToken(),
            );
        }
    
        public function getName()
        {
            return 'app_extension';
        }
    }
    
  • AppBundle \ Twig \ BreakToken.php :

    namespace AppBundle\Twig;
    
    class BreakToken extends \Twig_TokenParser
    {
        public function parse(\Twig_Token $token)
        {
            $stream = $this->parser->getStream();
            $stream->expect(\Twig_Token::BLOCK_END_TYPE);
    
            // Trick to check if we are currently in a loop.
            $currentForLoop = 0;
    
            for ($i = 1; true; $i++) {
                try {
                    // if we look before the beginning of the stream
                    // the stream will throw a \Twig_Error_Syntax
                    $token = $stream->look(-$i);
                } catch (\Twig_Error_Syntax $e) {
                    break;
                }
    
                if ($token->test(\Twig_Token::NAME_TYPE, 'for')) {
                    $currentForLoop++;
                } else if ($token->test(\Twig_Token::NAME_TYPE, 'endfor')) {
                    $currentForLoop--;
                }
            }
    
    
            if ($currentForLoop < 1) {
                throw new \Twig_Error_Syntax(
                    'Break tag is only allowed in \'for\' loops.',
                    $stream->getCurrent()->getLine(),
                    $stream->getSourceContext()->getName()
                );
            }
    
            return new BreakNode();
        }
    
        public function getTag()
        {
            return 'break';
        }
    }
    
  • AppBundle \ Twig \ BreakNode.php :

    namespace AppBundle\Twig;
    
    class BreakNode extends \Twig_Node
    {
        public function compile(\Twig_Compiler $compiler)
        {
            $compiler
                ->write("break;\n")
            ;
        }
    }
    

그런 다음 간단히 다음 {% break %}과 같이 루프를 벗어나는 데 사용할 수 있습니다 .

{% for post in posts %}
    {% if post.id == 10 %}
        {% break %}
    {% endif %}
    <h2>{{ post.heading }}</h2>
{% endfor %}

더 나아가려면 {% continue X %}and {% break X %}(여기서 X는 정수> = 1)에 대한 토큰 파서를 작성 하여 PHP에서와 같이 여러 루프를 나가거나 계속할 수 있습니다 .


답변

@NHG 주석에서 — 완벽하게 작동합니다.

{% for post in posts|slice(0,10) %}


답변

계속하기위한 좋은 해결 방법을 찾았습니다 (위의 중단 샘플을 좋아함). 여기에서는 “대행사”를 나열하고 싶지 않습니다. PHP에서는 “계속”하지만 나뭇 가지에서는 대안을 생각해 냈습니다.

{% for basename, perms in permsByBasenames %}
    {% if basename == 'agency' %}
        {# do nothing #}
    {% else %}
        <a class="scrollLink" onclick='scrollToSpot("#{{ basename }}")'>{{ basename }}</a>
    {% endif %}
{% endfor %}

또는 내 기준을 충족하지 않는 경우 간단히 건너 뜁니다.

{% for tr in time_reports %}
    {% if not tr.isApproved %}
        .....
    {% endif %}
{% endfor %}


답변