Apache Groovy

Source: Wikipedia, the free encyclopedia.
Groovy
Developer
Guillaume Laforge (PMC Chair)
Jochen Theodorou (Tech Lead)
Paul King
Cedric Champeau
First appeared2003; 21 years ago (2003)
Stable release4.0.20[1] Edit this on Wikidata (11 March 2024; 17 days ago (11 March 2024)) [±]
Preview release
4.0.0-beta-1 / September 6, 2021; 2 years ago (2021-09-06)[2]
Apache License 2.0
Filename extensions.groovy, .gvy, .gy, .gsh[3]
Websitegroovy-lang.org Edit this at Wikidata
Major implementations
Gradle, Grails
Influenced by
Java, Python, Ruby, Smalltalk
Influenced
Kotlin

Apache Groovy is a

curly-bracket syntax similar to Java's. Groovy supports closures, multiline strings, and expressions embedded in strings. Much of Groovy's power lies in its AST
transformations, triggered through annotations.

Groovy 1.0 was released on January 2, 2007, and Groovy 2.0 in July, 2012. Since version 2, Groovy can be compiled statically, offering type inference and performance near that of Java.[4][5] Groovy 2.4 was the last major release under Pivotal Software's sponsorship which ended in March 2015.[6] Groovy has since changed its governance structure to a Project Management Committee in the Apache Software Foundation.[7]

History

James Strachan first talked about the development of Groovy on his blog in August 2003.[8] In March 2004, Groovy was submitted to the JCP as JSR 241[9] and accepted by ballot. Several versions were released between 2004 and 2006. After the Java Community Process
(JCP) standardization effort began, the version numbering changed, and a version called "1.0" was released on January 2, 2007. After various betas and release candidates numbered 1.1, on December 7, 2007, Groovy 1.1 Final was released and immediately renumbered as Groovy 1.5 to reflect the many changes made.

In 2007, Groovy won the first prize at JAX 2007 innovation award.[10] In 2008, Grails, a Groovy web framework, won the second prize at JAX 2008 innovation award.[11]

In November 2008,

SpringSource acquired the Groovy and Grails company (G2One).[12] In August 2009 VMware acquired SpringSource.[13]

In April 2012, after eight years of inactivity, the Spec Lead changed the status of JSR 241 to dormant.[9]

Strachan had left the project silently a year before the Groovy 1.0 release in 2007.[citation needed] In Oct 2016, Strachan stated "I still love groovy (jenkins pipelines are so groovy!), java, go, typescript and kotlin".[14]

On July 2, 2012, Groovy 2.0 was released, which, among other new features, added static compiling and

static type checking
.

When the

EMC Corporation (EMC) and VMware in April 2013, Groovy and Grails formed part of its product portfolio. Pivotal ceased sponsoring Groovy and Grails from April 2015.[6]
That same month, Groovy changed its governance structure from a Codehaus repository to a Project Management Committee (PMC) in the Groovy graduated from Apache's incubator and became a top-level project in November 2015.[15]

On February 7, 2020, Groovy 3.0 was released.[16] Version 4.0 was released on January 25, 2022.[17]

Features

Most valid Java files are also valid Groovy files. Although the two languages are similar, Groovy code can be more compact, because it does not need all the elements that Java needs.[18] This makes it possible for Java programmers to learn Groovy gradually by starting with familiar Java syntax before acquiring more Groovy programming idioms.[19]

Groovy features not available in Java include both static and dynamic typing (with the keyword def), operator overloading, native syntax for lists and associative arrays (maps), native support for regular expressions, polymorphic iteration, string interpolation, added helper methods, and the safe navigation operator ?. to check automatically for null pointers (for example, variable?.method(), or variable?.field).[20]

Since version 2 Groovy also supports modularity (being able to ship only the needed jars according to the project needs, thus reducing the size of Groovy's library), type checking, static compiling, Project Coin syntax enhancements, multicatch blocks and ongoing performance enhancements using the invokedynamic instruction introduced in Java 7.[21]

Groovy provides native support for various markup languages such as XML and HTML, accomplished via an inline Document Object Model (DOM) syntax. This feature enables the definition and manipulation of many types of heterogeneous data assets with a uniform and concise syntax and programming methodology.[citation needed]

Unlike Java, a Groovy source code file can be executed as an (uncompiled) script, if it contains code outside any class definition, if it is a class with a main method, or if it is a Runnable or GroovyTestCase. A Groovy script is fully parsed, compiled, and generated before executing (similar to Python and Ruby). This occurs under the hood, and the compiled version is not saved as an artifact of the process.[22]

GroovyBeans, properties

GroovyBeans are Groovy's version of JavaBeans. Groovy implicitly generates getters and setters. In the following code, setColor(String color) and getColor() are implicitly generated. The last two lines, which appear to access color directly, are actually calling the implicitly generated methods.[23]

class AGroovyBean {
  String color
}

def myGroovyBean = new AGroovyBean()

myGroovyBean.setColor('baby blue')
assert myGroovyBean.getColor() == 'baby blue'

myGroovyBean.color = 'pewter'
assert myGroovyBean.color == 'pewter'

Groovy offers simple, consistent syntax for handling lists and maps, reminiscent of Java's array syntax.[24]

def movieList = ['Dersu Uzala', 'Ran', 'Seven Samurai']  // Looks like an array, but is a list
assert movieList[2] == 'Seven Samurai'
movieList[3] = 'Casablanca'  // Adds an element to the list
assert movieList.size() == 4

def monthMap = [ 'January' : 31, 'February' : 28, 'March' : 31 ]  // Declares a map
assert monthMap['March'] == 31  // Accesses an entry
monthMap['April'] = 30  // Adds an entry to the map
assert monthMap.size() == 4

Prototype extension

Groovy offers support for prototype extension through ExpandoMetaClass, Extension Modules (only in Groovy 2), Objective-C-like Categories and DelegatingMetaClass.[25]

ExpandoMetaClass offers a domain-specific language (DSL) to express the changes in the class easily, similar to Ruby's open class concept:

Number.metaClass {
  sqrt = { Math.sqrt(delegate) }
}

assert 9.sqrt() == 3
assert 4.sqrt() == 2

Groovy's changes in code through prototyping are not visible in Java, since each attribute/method invocation in Groovy goes through the metaclass registry. The changed code can only be accessed from Java by going to the metaclass registry.

Groovy also allows overriding methods as getProperty(), propertyMissing() among others, enabling the developer to intercept calls to an object and specify an action for them, in a simplified aspect-oriented way. The following code enables the class java.lang.String to respond to the hex property:

enum Color {
  BLACK('#000000'), WHITE('#FFFFFF'), RED('#FF0000'), BLUE('#0000FF')
  String hex
  Color(String hex) { 
    this.hex = hex 
  }
}

String.metaClass.getProperty = { String property ->
  def stringColor = delegate
  if (property == 'hex') {
    Color.values().find { it.name().equalsIgnoreCase stringColor }?.hex
  }
}

assert "WHITE".hex == "#FFFFFF"
assert "BLUE".hex == "#0000FF"
assert "BLACK".hex == "#000000"
assert "GREEN".hex == null

The Grails framework uses metaprogramming extensively to enable GORM dynamic finders, like User.findByName('Josh') and others.[26]

Dot and parentheses

Groovy's syntax permits omitting parentheses and dots in some situations. The following groovy code

take(coffee).with(sugar, milk).and(liquor)

can be written as

take coffee with sugar, milk and liquor

enabling the development of domain-specific languages (DSLs) that look like plain English.

Functional programming

Although Groovy is mostly an object-oriented language, it also offers functional programming features.

Closures

According to Groovy's documentation: "Closures in Groovy work similar to a 'method pointer', enabling code to be written and run in a later point in time".[27] Groovy's closures support free variables, i.e. variables that have not been explicitly passed as a parameter to it, but exist in its declaration context, partial application (that it terms 'currying'[28]), delegation, implicit, typed and untyped parameters.

When working on Collections of a determined type, the closure passed to an operation on the collection can be inferred:

list = [1, 2, 3, 4, 5, 6, 7, 8, 9]

/* 
 * Non-zero numbers are coerced to true, so when it % 2 == 0 (even), it is false.
 * The type of the implicit "it" parameter can be inferred as an Integer by the IDE.
 * It could also be written as:
 * list.findAll { Integer i -> i % 2 }
 * list.findAll { i -> i % 2 }
 */
def odds = list.findAll { it % 2 }

assert odds == [1, 3, 5, 7, 9]

A group of expressions can be written in a closure block without reference to an implementation and the responding object can be assigned at a later point using delegation:

// This block of code contains expressions without reference to an implementation
def operations = {
  declare 5
  sum 4
  divide 3
  print
}
/* 
 * This class will handle the operations that can be used in the closure above. Another class
 * could be declared having the same methods, but using, for example, webservice operations
 * in the calculations.
 */
class Expression {
  BigDecimal value

  /* 
   * Though an Integer is passed as a parameter, it is coerced into a BigDecimal, as was 
   * defined. If the class had a 'declare(Integer value)' method, it would be used instead.
   */
  def declare(BigDecimal value) {
    this.value = value
  }
  
  def sum(BigDecimal valueToAdd) {
    this.value += valueToAdd
  }
  
  def divide(BigDecimal divisor) {
    this.value /= divisor
  }
  
  def propertyMissing(String property) {
    if (property == "print") println value
  }
}
// Here is defined who is going to respond the expressions in the block of code above.
operations.delegate = new Expression()
operations()

Curry

Usually called partial application,[28] this Groovy feature allows closures' parameters to be set to a default parameter in any of their arguments, creating a new closure with the bound value. Supplying one argument to the curry() method will fix argument one. Supplying N arguments will fix arguments 1 .. N.

def joinTwoWordsWithSymbol = { symbol, first, second -> first + symbol + second }
assert joinTwoWordsWithSymbol('#', 'Hello', 'World') == 'Hello#World'

def concatWords = joinTwoWordsWithSymbol.curry(' ')
assert concatWords('Hello', 'World') == 'Hello World'

def prependHello = concatWords.curry('Hello')
//def prependHello = joinTwoWordsWithSymbol.curry(' ', 'Hello')
assert prependHello('World') == 'Hello World'

Curry can also be used in the reverse direction (fixing the last N arguments) using rcurry().

def power = { BigDecimal value, BigDecimal power ->
  value**power
}

def square = power.rcurry(2)
def cube = power.rcurry(3)

assert power(2, 2) == 4
assert square(4) == 16
assert cube(3) == 27

Groovy also supports

immutability,[32] among others.[33]

JSON and XML processing

On JavaScript Object Notation (JSON) and XML processing, Groovy employs the Builder pattern, making the production of the data structure less verbose. For example, the following XML:

<languages>
  <language year="1995">
    <name>Java</name>
    <paradigm>object oriented</paradigm>
    <typing>static</typing>
  </language>
  <language year="1995">
    <name>Ruby</name>
    <paradigm>functional, object oriented</paradigm>
    <typing>duck typing, dynamic</typing>
  </language>
  <language year="2003">
    <name>Groovy</name>
    <paradigm>functional, object oriented</paradigm>
    <typing>duck typing, dynamic, static</typing>
  </language>
</languages>

can be generated via the following Groovy code:

def writer = new StringWriter()
def builder = new groovy.xml.MarkupBuilder(writer)
builder.languages {
  language(year: 1995) {
    name "Java"
    paradigm "object oriented"
    typing "static"
  }
  language (year: 1995) {
    name "Ruby"
    paradigm "functional, object oriented"
    typing "duck typing, dynamic"
  }
  language (year: 2003) {
    name "Groovy"
    paradigm "functional, object oriented"
    typing "duck typing, dynamic, static"
  }
}

and also can be processed in a streaming way through StreamingMarkupBuilder. To change the implementation to JSON, the MarkupBuilder can be swapped to JsonBuilder.[34]

To parse it and search for a functional language, Groovy's findAll method can serve:

def languages = new XmlSlurper().parseText writer.toString()

// Here is employed Groovy's regex syntax for a matcher (=~) that will be coerced to a 
// boolean value: either true, if the value contains our string, or false otherwise.
def functional = languages.language.findAll { it.paradigm =~ "functional" }
assert functional.collect { it.name } == ["Groovy", "Ruby"]

String interpolation

In Groovy, strings can be interpolated with variables and expressions by using GStrings:[35]

BigDecimal account = 10.0
def text = "The account shows currently a balance of $account"
assert text == "The account shows currently a balance of 10.0"

GStrings containing variables and expressions must be declared using double quotes.

A complex expression must be enclosed in curly brackets. This prevents parts of it from being interpreted as belonging to the surrounding string instead of to the expression:

BigDecimal minus = 4.0
text = "The account shows currently a balance of ${account - minus}"
assert text == "The account shows currently a balance of 6.0"

// Without the brackets to isolate the expression, this would result:
text = "The account shows currently a balance of $account - minus"
assert text == "The account shows currently a balance of 10.0 - minus"

Expression evaluation can be deferred by employing arrow syntax:

BigDecimal tax = 0.15
text = "The account shows currently a balance of ${->account - account*tax}"
tax = 0.10

// The tax value was changed AFTER declaration of the GString. The expression 
// variables are bound only when the expression must actually be evaluated:
assert text == "The account shows currently a balance of 9.000"

Abstract syntax tree transformation

According to Groovy's own documentation, "When the Groovy compiler compiles Groovy scripts and classes, at some point in the process, the source code will end up being represented in memory in the form of a Concrete Syntax Tree, then transformed into an Abstract Syntax Tree. The purpose of AST Transformations is to let developers hook into the compilation process to be able to modify the AST before it is turned into bytecode that will be run by the JVM. AST Transformations provides Groovy with improved compile-time metaprogramming capabilities allowing powerful flexibility at the language level, without a runtime performance penalty."[36]

Examples of ASTs in Groovy are:

  • Category and Mixin transformation
  • Immutable AST Macro
  • Newify transformation
  • Singleton transformation

among others.

The testing framework Spock uses AST transformations to allow the programmer to write tests in a syntax not supported by Groovy, but the relevant code is then manipulated in the AST to valid code.[37] An example of such a test is:

def "maximum of #a and #b is #c" () {
  expect:
  Math.max (a, b) == c

  where:
  a | b || c
  3 | 5 || 5
  7 | 0 || 7
  0 | 0 || 0
}

Traits

According to Groovy's documentation, "Traits are a structural construct of the language that allows: composition of behaviors, runtime implementation of interfaces, behavior overriding, and compatibility with static type checking/compilation."

Traits can be seen as interfaces carrying both default implementations and state. A trait is defined using the trait keyword:

trait FlyingAbility { /* declaration of a trait */
  String fly() { "I'm flying!" } /* declaration of a method inside a trait */
}

Then, it can be used like a normal interface using the keyword implements:

class Bird implements FlyingAbility {} /* Adds the trait FlyingAbility to the Bird class capabilities */
def bird = new Bird() /* instantiate a new Bird */
assert bird.fly() == "I'm flying!" /* the Bird class automatically gets the behavior of the FlyingAbility trait */

Traits allow a wide range of abilities, from simple composition to testing.

Adoption

Notable examples of Groovy adoption include:

  • Adaptavist ScriptRunner, embeds a Groovy implementation to automate and extend Atlassian tools, in use by more than 20000 organisations around the world.[38][39]
  • Apache OFBiz, the open-source enterprise resource planning (ERP) system, uses Groovy.[40][41]
  • Eucalyptus, a cloud management system, uses a significant amount of Groovy.
  • Gradle is a popular build automation tool using Groovy.
  • LinkedIn uses Groovy and Grails for some of their subsystems.[42]
  • LogicMonitor, a cloud-based monitoring platform, uses Groovy in script-based data sources.[43]
  • Jenkins, a platform for continuous integration. With version 2, Jenkins includes a Pipeline plugin that allows for build instructions to be written in Groovy.[44]
  • Liferay, uses groovy in their kaleo workflow
  • Sky.com uses Groovy and Grails to serve massive online media content.[45]
  • Internet of Things, uses a security-oriented subset of Groovy[46]
  • SoapUI provides Groovy as a language for webservice tests development.[47]
  • Survata, a market research startup, uses Groovy and Grails.[citation needed
    ]
  • The European Patent Office (EPO) developed a dataflow programming language in Groovy "to leverage similarities in the processes for communicating with each individual country’s patent office, and transform them into a single, universal process."[citation needed]
  • Though Groovy can be integrated into any JVM environment, the JBoss Seam framework provides Groovy, besides Java, as a development language, out of the box.[48]
  • vCalc.com uses Groovy for all of the user defined mathematics in its math crowd-sourcing engine.[49]
  • Wired.com uses Groovy and Grails for the Product Reviews standalone section of the website.[50]
  • XWiki SAS uses Groovy as scripting language in their collaborative open-source product.[51]

IDE support

Many integrated development environments (IDEs) and text editors support Groovy:

Dialects

There is one alternative implementation of Groovy:

  • Grooscript converts Groovy code to JavaScript code.[52] Although Grooscript has some limitations compared to Apache Groovy, it can use domain classes in both the server and the client.[53] Plugin support for Grails version 3.0 is provided, as well as online code conversions.[54]

See also

References

Citations

  1. ^ "Release 4.0.20". 11 March 2024. Retrieved 22 March 2024.
  2. ^ "Releases - apache/groovy". Retrieved 2020-04-09 – via GitHub.
  3. ^ "Groovy Goodness: Default Groovy Script File Extensions".
  4. ^ "Groovy 2.0 Performance compared to Java". 25 Aug 2012.
  5. ^ "Java vs Groovy2.0 vs Scala Simple Performance Test". 10 Jul 2012. Archived from the original on 10 December 2012. Retrieved 7 October 2012.
  6. ^ a b "Groovy 2.4 And Grails 3.0 To Be Last Major Releases Under Pivotal Sponsorship". 19 Jan 2015.
  7. ^ a b "Groovy joins Apache Incubator". 11 Mar 2015.
  8. ^ James Strachan (29 Aug 2003). "Groovy - the birth of a new dynamic language for the Java platform". Archived from the original on 1 September 2003.
  9. ^ a b "Java Community Process JSR 241".
  10. ^ "Groovy wins first prize at JAX 2007 innovation award". 2007-04-26. Archived from the original on 2015-05-13. Retrieved 2012-10-07.
  11. ^ "They say a lot can happen over a cup of coffee". Archived from the original on 2011-04-19. Retrieved 2012-10-07.
  12. ^ "SpringSource Acquires Groovy and Grails company (G2One)". 11 Nov 2008.
  13. ^ "VMWare Acquires SpringSource". 10 Aug 2009.
  14. ^ "Tweet from James Strachan". November 24, 2016. Retrieved 2016-11-24.
  15. ^ "Announcement on dev mailing list".
  16. ^ "Release GROOVY_3_0_0 · apache/groovy". GitHub. Retrieved 2024-03-27.
  17. ^ "Release GROOVY_4_0_0 · apache/groovy". GitHub. Retrieved 2024-03-27.
  18. ^ König 2007, pg. 32
  19. ^ "Groovy style and language feature guidelines for Java developers". Groovy.codehaus.org. Archived from the original on 2015-01-17. Retrieved 2015-01-22.
  20. ^ "Groovy – Differences from Java". Groovy.codehaus.org. Archived from the original on 2009-03-17. Retrieved 2013-08-12.
  21. ^ "What's new in Groovy 2.0?". 28 Jun 2012.
  22. ^ König 2007, pp. 37-8
  23. ^ König 2007, pp. 38-9
  24. ^ König 2007, pp. 41-3
  25. ^ "JN3525-MetaClasses". Archived from the original on 2012-10-01. Retrieved 2012-10-07.
  26. ^ "Metaprogramming Techniques in Groovy and Grails". 11 Jun 2009.
  27. ^ "Groovy - Closures". Archived from the original on 2012-05-22.
  28. ^ a b "Does groovy call partial application 'currying'", 10 Aug 2013
  29. ^ "Groovy - Lazy Transformation". Archived from the original on 2012-10-08. Retrieved 2012-10-07.
  30. ^ "Side Notes: Lazy lists in Groovy". 3 Feb 2011.
  31. ^ "Groovy's Fold". 20 Jun 2011. Archived from the original on 13 February 2015. Retrieved 12 February 2015.
  32. ^ "Functional Programming with Groovy". 5 Nov 2011.
  33. ^ "Function programming in Groovy". Archived from the original on 2012-10-08. Retrieved 2012-10-07.
  34. ^ "JsonBuilder". Archived from the original on 2012-10-02. Retrieved 2012-10-07.
  35. ^ "Groovy Strings - Different ways of creating them". 26 Dec 2009.
  36. ^ "Compile-time Metaprogramming - AST Transformations". Archived from the original on 2012-10-14. Retrieved 2012-10-07.
  37. .
  38. ^ "ScriptRunner Documentation".
  39. ^ "ScriptRunner Press Release with adoption stats".
  40. ^ "Groovy DSL for OFBiz business logic". Apache OFBiz Project Open Wiki.
  41. ^ "Simple-methods examples using Groovy". Apache OFBiz Project Open Wiki.
  42. ^ "Grails at LinkedIn". Retrieved 2015-06-02.
  43. ^ "Embedded Groovy Scripting". www.logicmonitor.com. Retrieved 2020-11-20.
  44. ^ "Jenkins Pipeline".
  45. ^ Rocher, Graeme (October 2, 2008). "Graeme Rocher's Blog: Sky.com relaunches written in Grails". Graeme Rocher's Blog. Retrieved 2015-06-02.
  46. ^ Security Analysis of Emerging Smart Home Applications
  47. ^ "Scripting and the Script Library | Scripting & Properties". www.soapui.org. Retrieved 2015-06-02.
  48. ^ "Chapter 11. Groovy integration". docs.jboss.org. Retrieved 2015-06-02.
  49. ^ "vCalc, the First ever Social Platform for the world of Math". 4 November 2014. Retrieved 2016-05-05.
  50. ^ "Wired.Com" (PDF). www.springsource.org. Retrieved 2015-06-02.
  51. ^ "XWiki SAS" (PDF). www.springsource.org. Retrieved 2015-06-02.
  52. ^ "Grooscript Documentation". 12 Sep 2016. Archived from the original on 28 June 2017. Retrieved 4 July 2017.
  53. ^ "Presentation at SpringOne/2GX on Grooscript". 13 Dec 2015.
  54. ^ "Grooscript online conversions". 15 May 2017. Archived from the original on 9 July 2017. Retrieved 4 July 2017.

Sources

External links