Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Velocity Template engine - key-value-map

I have some problems wo use a key-value-map into Velocity.

Someone has an example of this functionality?

$myMap ={}

$myMap.put("mykey1", "myvalue")
$myMap.delete("mykey1")
$myMap.getValue("mykey1")
like image 762
Wagner Avatar asked May 06 '13 11:05

Wagner


People also ask

Is Velocity template deprecated?

Velocity templates were deprecated in Liferay Portal 7.0 and are now removed in favor of FreeMarker templates in Liferay DXP 7.2.

What is a Velocity template?

Velocity is a server-side template language used by Confluence to render page content. Velocity allows Java objects to be called alongside standard HTML. If you are are writing a user macro or developing a plugin you may need to modify Velocity content.


1 Answers

As Nathan said, you should use:

#set ($myMap = {})

to create a new map and assign it to a variable.

Now, why is the put call printed.

  1. Anything that is not inside a directive, like #set(not printed) or #if(not printed) or #foreach(again not printed), is printed, including free text, variables, and method calls.

  2. Velocity can't distinguish between the different semantics of $myMap.get('mykey') and $myMap.put('key', 'value') (reader vs. writer), so the result of the put call is printed, just like any other method.

  3. Whenever something can't be properly evaluated, because a variable is not defined or somewhere along the line a method returns null, the code that failed to be evaluated is dumped literally into the output.

  4. As the documentation of the put method states, the function returns the previous value stored for that key, or null if no value was set at all.

  5. Summing it all up, it's normal to get that line printed.

To try this theory out, you can do this:

#set ($myMap = {})
$myMap.put('key', 'first value')
$myMap.put('key', 'second value')
$myMap.get('key')

This will be printed:

$myMap.put('key', 'first value')
first value
second value

There are two things you can do so that the line isn't printed:

  1. Store the outcome of the function in a temporary variable: #set ($discard = $myMap.put('key', 'value')

  2. Use the silent method call: $!myMap.put('key', 'value')

I'd recommend the first one, since the second one will still print something when you're replacing an existing value.

like image 200
Sergiu Dumitriu Avatar answered Sep 20 '22 14:09

Sergiu Dumitriu