Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

xTend: How to stop a variable from printing in output?

Tags:

xtend

Lets say you have the following code in xTend:

class StackOverflowGenerator {
    def generate()'''
    «var counter = 0»
    «FOR i : 0 ..<10»
    Line Numnber: «i»
    «counter = counter + 1»
    «ENDFOR»
'''

}

This will generate output in the format:

    Line Numnber: 0
    1
    Line Numnber: 1
    2
    Line Numnber: 2
    3
    Line Numnber: 3
    ...

How do I get xTend to not print the line with just the counter and only print the Line Number line such that the output looks like:

Line Numnber: 0
Line Numnber: 1
Line Numnber: 2
Line Numnber: 3
...
like image 893
GSUgambit Avatar asked Aug 23 '13 17:08

GSUgambit


3 Answers

In Xtend, everything is an expression, so «counter = counter + 1» evaluates to the result of the assignment, that's why it will be part of the string. So if you really want to perform a side effect in a template expression's for loop (which is strongly discouraged), do it in a block expression and return the empty string or null: «{ counter = counter + 1; "" }». Nevertheless, this is not too elegant, so you might want solve your problem in another way, as the other answers suggest.

like image 196
thSoft Avatar answered Nov 06 '22 13:11

thSoft


In your example there is no use for counter. So it is hard to guess what your real usecase is. In most cases some calculation based on i is enought, eliminating counter completely. Orionll's answer is pointing in that direction.

If however counter is something which cannot be computed from i but is some accumulated state, then the simplest thing is to extract that state into a custom class and to modify this state using void methods. In this example the generated void setCounter(int) method is used.

class Example {
    def static void main(String[] args) {
        println(generate)
    }

    def static generate() '''
        «var state = new State(0)»
        «FOR i : 0 ..< 10»
            Line Numnber: «i»
            «state.setCounter(state.counter + 1)»
        «ENDFOR»
    '''

}

class State {
    @Property
    var int counter

    new(int counter){
        this.counter = counter
    }
}
like image 32
A.H. Avatar answered Nov 06 '22 11:11

A.H.


«var counter = 0»
«FOR i : 0 ..<10»
Line Number: «counter = i»
«ENDFOR»
like image 24
ZhekaKozlov Avatar answered Nov 06 '22 12:11

ZhekaKozlov