Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I use String interpolation in a Groovy multiline string?

In Groovy, I have a multiline String, defined with ''', in which I need to use interpolation in order to substitute some other variables.

For all my efforts, I can't get it to work -- I assume I need to escape something, which I'm missing.

Here's some sample code:

def cretanFood = "Dakos"  def mexicanFood = "Tacos" def bestRestaurant = '''  ${mexicanFood} & ${cretanFood} ''' print bestRestaurant 

At the moment, this outputs:

${mexicanFood} & ${cretanFood} 

while I would clearly expect:

Tacos & Dakos  

(Note - I would prefer not to concatenate the strings)

like image 206
gsaslis Avatar asked Sep 27 '16 09:09

gsaslis


People also ask

What is string interpolation in Groovy?

String interpolation. Any Groovy expression can be interpolated in all string literals, apart from single and triple-single-quoted strings.

How do you escape the special characters in Groovy?

String specialCharRegex = "[\\W|_]"; ... term = term. replaceAll(specialCharRegex, "\\\\\$0"); ... String specialCharRegex = "[\\W|_]"; ...

How do you add double quotes to a string in Groovy?

replaceAll("\'", "\"") Will produce: ["one", "two", "three", "some \"other\""] . So quotes in values also replaced.


2 Answers

Instead of using ''' for the GString or multi-line string use """

def cretanFood     = "Dakos"   def mexicanFood    = "Tacos" def bestRestaurant = """${mexicanFood} & ${cretanFood}""" print bestRestaurant​ 

GString enclosed in ''' will not be able to resolve the placeholder - $. You can find more details in the Groovy Documentation under the heading String and String Summary Table block.

like image 155
Abhinandan Satpute Avatar answered Sep 29 '22 17:09

Abhinandan Satpute


In Groovy, single quotes are used to create immutable Strings, just exactly like Java does with double quotes.

When you use double quotes in Groovy you indicate to the runtime your intention to create a mutable String or Groovy String (GString for short). You may use variable interpolation with mutable Strings, or you can leave it as a regular plain Java String.

This behavior extends to the multi-line String versions; usage of triple single quotes creates an immutable multi-line String whereas triple double quotes creates a Groovy String.

like image 41
Andres Almiray Avatar answered Sep 29 '22 16:09

Andres Almiray