confess vienna 2015 - metaprogramming with groovy

116
METAPROGRAMMING WITH GROOVY Iván López @ilopmar

Upload: ivan-lopez

Post on 15-Jul-2015

453 views

Category:

Technology


0 download

TRANSCRIPT

Page 1: ConFess Vienna 2015 - Metaprogramming with Groovy

METAPROGRAMMING WITH GROOVY

Iván López @ilopmar

Page 2: ConFess Vienna 2015 - Metaprogramming with Groovy

Hello!I am Iván López

@ilopmar

http://greachconf.com@madridgug

Page 3: ConFess Vienna 2015 - Metaprogramming with Groovy

Groovy is dynamic

▷ “Delay” to runtime some decisions

▷ Add properties/behaviours in runtime

▷ Wide range of applicability

Page 4: ConFess Vienna 2015 - Metaprogramming with Groovy

What is metaprogramming?

Page 5: ConFess Vienna 2015 - Metaprogramming with Groovy

“Metaprogramming is the writing of computer programs that write or manipulate other programs (or themselves) as their data.

- Wikipedia

Page 6: ConFess Vienna 2015 - Metaprogramming with Groovy

1.Runtime metaprogramming

Page 7: ConFess Vienna 2015 - Metaprogramming with Groovy

Runtime metaprogramming

▷ Groovy provides this through Meta-Object Protocol (MOP)

▷ Use MOP to:– Invoke methods dynamically– Synthesize classes and methods on

the fly

Page 8: ConFess Vienna 2015 - Metaprogramming with Groovy

What is the Meta Object Protocol?

Groovy

Groovy

Java

Java

MOP

Page 9: ConFess Vienna 2015 - Metaprogramming with Groovy

Intercepting methodsusing MOP

Page 10: ConFess Vienna 2015 - Metaprogramming with Groovy

public interface GroovyObject { Object invokeMethod(String name, Object args) Object getProperty(String propertyName) void setProperty(String propertyName, Object newValue) MetaClass getMetaClass() void setMetaClass(MetaClass metaClass)}

Groovy Interceptable

▷ GroovyObject interface

▷ Implement GroovyInterceptable to hook into the execution

Page 11: ConFess Vienna 2015 - Metaprogramming with Groovy

GroovyInterceptable exampleclass Person implements GroovyInterceptable {

String name Integer age

public Object getProperty(String propertyName) { println "Getting property '${propertyName}'" return this.@"${propertyName}" }

public void setProperty(String propertyName, Object newValue) { println "Setting property '${propertyName}' with value '${newValue}'" this.@"${propertyName}" = newValue }}

def person = new Person()person.name = "Iván"person.age = 35

println "Hello ${person.name}, you're ${person.age}"

// ExecutionSetting property 'name' with value 'Iván'Setting property 'age' with value '35'Getting property 'name'Getting property 'age'Hello Iván, you're 35

Page 12: ConFess Vienna 2015 - Metaprogramming with Groovy

GroovyInterceptable exampleclass Person implements GroovyInterceptable {

String name Integer age

public Object getProperty(String propertyName) { println "Getting property '${propertyName}'" return this.@"${propertyName}" }

public void setProperty(String propertyName, Object newValue) { println "Setting property '${propertyName}' with value '${newValue}'" this.@"${propertyName}" = newValue }}

def person = new Person()person.name = "Iván"person.age = 35

println "Hello ${person.name}, you're ${person.age}"

// ExecutionSetting property 'name' with value 'Iván'Setting property 'age' with value '35'Getting property 'name'Getting property 'age'Hello Iván, you're 35

Page 13: ConFess Vienna 2015 - Metaprogramming with Groovy

GroovyInterceptable exampleclass Person implements GroovyInterceptable {

String name Integer age

public Object getProperty(String propertyName) { println "Getting property '${propertyName}'" return this.@"${propertyName}" }

public void setProperty(String propertyName, Object newValue) { println "Setting property '${propertyName}' with value '${newValue}'" this.@"${propertyName}" = newValue }}

def person = new Person()person.name = "Iván"person.age = 35

println "Hello ${person.name}, you're ${person.age}"

// ExecutionSetting property 'name' with value 'Iván'Setting property 'age' with value '35'Getting property 'name'Getting property 'age'Hello Iván, you're 35

Page 14: ConFess Vienna 2015 - Metaprogramming with Groovy

GroovyInterceptable exampleclass Person implements GroovyInterceptable {

String name Integer age

public Object getProperty(String propertyName) { println "Getting property '${propertyName}'" return this.@"${propertyName}" }

public void setProperty(String propertyName, Object newValue) { println "Setting property '${propertyName}' with value '${newValue}'" this.@"${propertyName}" = newValue }}

def person = new Person()person.name = "Iván"person.age = 35

println "Hello ${person.name}, you're ${person.age}"

// ExecutionSetting property 'name' with value 'Iván'Setting property 'age' with value '35'Getting property 'name'Getting property 'age'Hello Iván, you're 35

Page 15: ConFess Vienna 2015 - Metaprogramming with Groovy

GroovyInterceptable exampleclass Person implements GroovyInterceptable {

String name Integer age

public Object getProperty(String propertyName) { println "Getting property '${propertyName}'" return this.@"${propertyName}" }

public void setProperty(String propertyName, Object newValue) { println "Setting property '${propertyName}' with value '${newValue}'" this.@"${propertyName}" = newValue }}

def person = new Person()person.name = "Iván"person.age = 35

println "Hello ${person.name}, you're ${person.age}"

// ExecutionSetting property 'name' with value 'Iván'Setting property 'age' with value '35'Getting property 'name'Getting property 'age'Hello Iván, you're 35

Page 16: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello implements GroovyInterceptable {

public Object invokeMethod(String methodName, Object args) { System.out.println "Invoking method '${methodName}' with args '${args}'"

def method = metaClass.getMetaMethod(methodName, args) method?.invoke(this, args) }

void sayHi(String name) { System.out.println "Hello ${name}" }}

def hello = new Hello()hello.sayHi("ConFess Vienna!")hello.anotherMethod()

GroovyInterceptable example (II)

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

Page 17: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello implements GroovyInterceptable {

public Object invokeMethod(String methodName, Object args) { System.out.println "Invoking method '${methodName}' with args '${args}'"

def method = metaClass.getMetaMethod(methodName, args) method?.invoke(this, args) }

void sayHi(String name) { System.out.println "Hello ${name}" }}

def hello = new Hello()hello.sayHi("ConFess Vienna!")hello.anotherMethod()

GroovyInterceptable example (II)

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

Page 18: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello implements GroovyInterceptable {

public Object invokeMethod(String methodName, Object args) { System.out.println "Invoking method '${methodName}' with args '${args}'"

def method = metaClass.getMetaMethod(methodName, args) method?.invoke(this, args) }

void sayHi(String name) { System.out.println "Hello ${name}" }}

def hello = new Hello()hello.sayHi("ConFess Vienna!")hello.anotherMethod()

GroovyInterceptable example (II)

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

Page 19: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello implements GroovyInterceptable {

public Object invokeMethod(String methodName, Object args) { System.out.println "Invoking method '${methodName}' with args '${args}'"

def method = metaClass.getMetaMethod(methodName, args) method?.invoke(this, args) }

void sayHi(String name) { System.out.println "Hello ${name}" }}

def hello = new Hello()hello.sayHi("ConFess Vienna!")hello.anotherMethod()

GroovyInterceptable example (II)

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

Page 20: ConFess Vienna 2015 - Metaprogramming with Groovy

MetaClass▷ MetaClass registry for each class

▷ Collection of methods/properties

▷ We can always modify the metaclass

▷ Intercept methods implementing invokeMethod on metaclass

Page 21: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello { void sayHi(String name) { println "Hello ${name}" }}

Hello.metaClass.invokeMethod = { String methodName, args -> println "Invoking method '${methodName}' with args '${args}'"

def method = Hello.metaClass.getMetaMethod(methodName, args) method?.invoke(delegate, args)}

def hello = new Hello()

hello.sayHi("ConFess Vienna!")hello.anotherMethod()

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

MetaClass example

Page 22: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello { void sayHi(String name) { println "Hello ${name}" }}

Hello.metaClass.invokeMethod = { String methodName, args -> println "Invoking method '${methodName}' with args '${args}'"

def method = Hello.metaClass.getMetaMethod(methodName, args) method?.invoke(delegate, args)}

def hello = new Hello()

hello.sayHi("ConFess Vienna!")hello.anotherMethod()

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

MetaClass example

Page 23: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello { void sayHi(String name) { println "Hello ${name}" }}

Hello.metaClass.invokeMethod = { String methodName, args -> println "Invoking method '${methodName}' with args '${args}'"

def method = Hello.metaClass.getMetaMethod(methodName, args) method?.invoke(delegate, args)}

def hello = new Hello()

hello.sayHi("ConFess Vienna!")hello.anotherMethod()

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

MetaClass example

Page 24: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello { void sayHi(String name) { println "Hello ${name}" }}

Hello.metaClass.invokeMethod = { String methodName, args -> println "Invoking method '${methodName}' with args '${args}'"

def method = Hello.metaClass.getMetaMethod(methodName, args) method?.invoke(delegate, args)}

def hello = new Hello()

hello.sayHi("ConFess Vienna!")hello.anotherMethod()

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

MetaClass example

Page 25: ConFess Vienna 2015 - Metaprogramming with Groovy

class Hello { void sayHi(String name) { println "Hello ${name}" }}

Hello.metaClass.invokeMethod = { String methodName, args -> println "Invoking method '${methodName}' with args '${args}'"

def method = Hello.metaClass.getMetaMethod(methodName, args) method?.invoke(delegate, args)}

def hello = new Hello()

hello.sayHi("ConFess Vienna!")hello.anotherMethod()

// ExecutionInvoking method 'sayHi' with args '[ConFess Vienna!]'Hello ConFess Vienna!Invoking method 'anotherMethod' with args '[]'

MetaClass example

Page 26: ConFess Vienna 2015 - Metaprogramming with Groovy

MOP method injection

Page 27: ConFess Vienna 2015 - Metaprogramming with Groovy

MOP Method Injection▷ Injecting methods at code-writing time

▷ We can “open” a class any time

▷ Different techniques:– MetaClass– Categories– Extensions– Mixins vs Traits

Page 28: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 29: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 30: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 31: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 32: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 33: ConFess Vienna 2015 - Metaprogramming with Groovy

class StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

String chuckIpsum = "If you can see Chuck Norris, he can see you.\If you can not see Chuck Norris you may be only seconds away from death"

println StringUtils.truncate(chuckIpsum, 72)println StringUtils.truncate(chuckIpsum, 72, true)

// ExecutionIf you can see Chuck Norris, he can see you. If you can not see Chuck NoIf you can see Chuck Norris, he can see you. If you can not see Chuck No...

String.metaClass.truncate = { Integer length, Boolean overflow = false -> delegate.take(length) + (overflow ? '...' : '')}

assert chuckIpsum.truncate(72, true) == StringUtils.truncate(chuckIpsum, 72, true)

Adding methods using MetaClass

Page 34: ConFess Vienna 2015 - Metaprogramming with Groovy

class Utils {}

def utilsInstance = new Utils()

Utils.metaClass.version = "3.0"utilsInstance.metaClass.released = true

assert utilsInstance.version == "3.0"assert utilsInstance.released == true

Adding properties using MetaClass

Page 35: ConFess Vienna 2015 - Metaprogramming with Groovy

Adding properties using MetaClass

class Utils {}

def utilsInstance = new Utils()

Utils.metaClass.version = "3.0"utilsInstance.metaClass.released = true

assert utilsInstance.version == "3.0"assert utilsInstance.released == true

Page 36: ConFess Vienna 2015 - Metaprogramming with Groovy

class Utils {}

def utilsInstance = new Utils()

Utils.metaClass.version = "3.0"utilsInstance.metaClass.released = true

assert utilsInstance.version == "3.0"assert utilsInstance.released == true

Adding properties using MetaClass

Page 37: ConFess Vienna 2015 - Metaprogramming with Groovy

class Utils {}

def utilsInstance = new Utils()

Utils.metaClass.version = "3.0"utilsInstance.metaClass.released = true

assert utilsInstance.version == "3.0"assert utilsInstance.released == true

Adding properties using MetaClass

Page 38: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 39: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 40: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 41: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 42: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 43: ConFess Vienna 2015 - Metaprogramming with Groovy

// Integerassert '42' == 42.toString()

Integer.metaClass.toString = { delegate == 42 ? 'The answer to life, the universe and everything' : String.valueOf(delegate)}

assert 42.toString() == 'The answer to life, the universe and everything'assert 100.toString() == '100'

// Booleanassert false.toBoolean() == false

Boolean.metaClass.toBoolean = { !delegate }assert false.toBoolean() == true

Overriding methods using MetaClass

Page 44: ConFess Vienna 2015 - Metaprogramming with Groovy

Categories

▷ MetaClass changes are “persistent”

▷ Change metaclass in confined code

▷ MOP modified only in the closure

Page 45: ConFess Vienna 2015 - Metaprogramming with Groovy

Categories exampleclass StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

use (StringUtils) { println "Lorem ipsum".truncate(5)}

try { println "Lorem ipsum".truncate(5)} catch (MissingMethodException mme) { println mme}

// ExecutionLorem

groovy.lang.MissingMethodException: No signature of method: java.lang.String.truncate() is applicable for argument types: (java.lang.Integer) values: [5]Possible solutions: concat(java.lang.String), take(int)

Page 46: ConFess Vienna 2015 - Metaprogramming with Groovy

Categories exampleclass StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

use (StringUtils) { println "Lorem ipsum".truncate(5)}

try { println "Lorem ipsum".truncate(5)} catch (MissingMethodException mme) { println mme}

// ExecutionLorem

groovy.lang.MissingMethodException: No signature of method: java.lang.String.truncate() is applicable for argument types: (java.lang.Integer) values: [5]Possible solutions: concat(java.lang.String), take(int)

Page 47: ConFess Vienna 2015 - Metaprogramming with Groovy

Categories exampleclass StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

use (StringUtils) { println "Lorem ipsum".truncate(5)}

try { println "Lorem ipsum".truncate(5)} catch (MissingMethodException mme) { println mme}

// ExecutionLorem

groovy.lang.MissingMethodException: No signature of method: java.lang.String.truncate() is applicable for argument types: (java.lang.Integer) values: [5]Possible solutions: concat(java.lang.String), take(int)

Page 48: ConFess Vienna 2015 - Metaprogramming with Groovy

Categories exampleclass StringUtils { static String truncate(String text, Integer length, Boolean overflow = false) { text.take(length) + (overflow ? '...' : '') }}

use (StringUtils) { println "Lorem ipsum".truncate(5)}

try { println "Lorem ipsum".truncate(5)} catch (MissingMethodException mme) { println mme}

// ExecutionLorem

groovy.lang.MissingMethodException: No signature of method: java.lang.String.truncate() is applicable for argument types: (java.lang.Integer) values: [5]Possible solutions: concat(java.lang.String), take(int)

Page 49: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

Page 50: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

Page 51: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

File tmpFile = File.createTempFile('tmp_', '')

use (FileBinaryCategory) { tmpFile << "http://groovy.codehaus.org/images/groovy-logo-medium.png".toURL()}

println tmpFile

// Execution/tmp/tmp_7428855173238452155

Page 52: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

File tmpFile = File.createTempFile('tmp_', '')

use (FileBinaryCategory) { tmpFile << "http://groovy.codehaus.org/images/groovy-logo-medium.png".toURL()}

println tmpFile

// Execution/tmp/tmp_7428855173238452155

Page 53: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

File tmpFile = File.createTempFile('tmp_', '')

use (FileBinaryCategory) { tmpFile << "http://groovy.codehaus.org/images/groovy-logo-medium.png".toURL()}

println tmpFile

// Execution/tmp/tmp_7428855173238452155

Page 54: ConFess Vienna 2015 - Metaprogramming with Groovy

class FileBinaryCategory { def static leftShift(File file, URL url) { def input def output

try { input = url.openStream() output = new BufferedOutputStream(new FileOutputStream(file))

output << input } finally { input?.close() output?.close() } }}

Categories example (II)

File tmpFile = File.createTempFile('tmp_', '')

use (FileBinaryCategory) { tmpFile << "http://groovy.codehaus.org/images/groovy-logo-medium.png".toURL()}

println tmpFile

// Execution/tmp/tmp_7428855173238452155

Page 55: ConFess Vienna 2015 - Metaprogramming with Groovy

Extension modules

▷ JAR file that provides extra methods

▷ Meta-information file

▷ Put jar in classpath to enhance classes

Page 56: ConFess Vienna 2015 - Metaprogramming with Groovy

// src/main/groovy/confess2015/StringUtilsExtension.groovypackage confess2015class StringUtilsExtension { static String truncate(String self, Integer length, Boolean overflow = false) { self.take(length) + (overflow ? '...' : '') }}

package confess2015import spock.lang.Specificationclass StringUtilsExtensionSpec extends Specification { void 'test trucate'() { expect: "Lorem" == "Lorem ipsum".truncate(5) "Lorem..." == "Lorem ipsum".truncate(5, true) }}

// Execute with:// gradle build// groovy -cp build/libs/string-extensions-1.0.jar ExtensionExample1.groovy

assert "Lorem..." == "Lorem ipsum". truncate(5, true)

# src/main/resources/META-INF/services/org.codehaus.groovy.runtime.ExtensionModulemoduleName = string-utils-modulemoduleVersion = 0.1extensionClasses = confess2015.StringUtilsExtension

Extension modules example

Page 57: ConFess Vienna 2015 - Metaprogramming with Groovy

Extension modules example// src/main/groovy/confess2015/StringUtilsExtension.groovypackage confess2015class StringUtilsExtension { static String truncate(String self, Integer length, Boolean overflow = false) { self.take(length) + (overflow ? '...' : '') }}

# src/main/resources/META-INF/services/org.codehaus.groovy.runtime.ExtensionModulemoduleName = string-utils-modulemoduleVersion = 0.1extensionClasses = confess2015.StringUtilsExtension

package confess2015import spock.lang.Specificationclass StringUtilsExtensionSpec extends Specification { void 'test trucate'() { expect: "Lorem" == "Lorem ipsum".truncate(5) "Lorem..." == "Lorem ipsum".truncate(5, true) }}

// Execute with:// gradle build// groovy -cp build/libs/string-extensions-1.0.jar ExtensionExample1.groovy

assert "Lorem..." == "Lorem ipsum". truncate(5, true)

Page 58: ConFess Vienna 2015 - Metaprogramming with Groovy

Extension modules example// src/main/groovy/confess2015/StringUtilsExtension.groovypackage confess2015class StringUtilsExtension { static String truncate(String self, Integer length, Boolean overflow = false) { self.take(length) + (overflow ? '...' : '') }}

package confess2015import spock.lang.Specificationclass StringUtilsExtensionSpec extends Specification { void 'test trucate'() { expect: "Lorem" == "Lorem ipsum".truncate(5) "Lorem..." == "Lorem ipsum".truncate(5, true) }}

// Execute with:// gradle build// groovy -cp build/libs/string-extensions-1.0.jar ExtensionExample1.groovy

assert "Lorem..." == "Lorem ipsum". truncate(5, true)

# src/main/resources/META-INF/services/org.codehaus.groovy.runtime.ExtensionModulemoduleName = string-utils-modulemoduleVersion = 0.1extensionClasses = confess2015.StringUtilsExtension

Page 59: ConFess Vienna 2015 - Metaprogramming with Groovy

Extension modules example// src/main/groovy/confess2015/StringUtilsExtension.groovypackage confess2015class StringUtilsExtension { static String truncate(String self, Integer length, Boolean overflow = false) { self.take(length) + (overflow ? '...' : '') }}

package confess2015import spock.lang.Specificationclass StringUtilsExtensionSpec extends Specification { void 'test trucate'() { expect: "Lorem" == "Lorem ipsum".truncate(5) "Lorem..." == "Lorem ipsum".truncate(5, true) }}

// Execute with:// gradle build// groovy -cp build/libs/string-extensions-1.0.jar ExtensionExample1.groovy

assert "Lorem..." == "Lorem ipsum". truncate(5, true)

# src/main/resources/META-INF/services/org.codehaus.groovy.runtime.ExtensionModulemoduleName = string-utils-modulemoduleVersion = 0.1extensionClasses = confess2015.StringUtilsExtension

Page 60: ConFess Vienna 2015 - Metaprogramming with Groovy

// src/main/groovy/confess2015/StringUtilsExtension.groovypackage confess2015class StringUtilsExtension { static String truncate(String self, Integer length, Boolean overflow = false) { self.take(length) + (overflow ? '...' : '') }}

package confess2015import spock.lang.Specificationclass StringUtilsExtensionSpec extends Specification { void 'test trucate'() { expect: "Lorem" == "Lorem ipsum".truncate(5) "Lorem..." == "Lorem ipsum".truncate(5, true) }}

// Execute with:// gradle build// groovy -cp build/libs/string-extensions-1.0.jar ExtensionExample1.groovy

assert "Lorem..." == "Lorem ipsum". truncate(5, true)

Extension modules example

# src/main/resources/META-INF/services/org.codehaus.groovy.runtime.ExtensionModulemoduleName = string-utils-modulemoduleVersion = 0.1extensionClasses = confess2015.StringUtilsExtension

Page 61: ConFess Vienna 2015 - Metaprogramming with Groovy

Mixins

▷ “Bring in” or “mix in” implementations from multiple classes

▷ Calls first routed to mixed-in class

▷ Last mixin wins

▷ Not easily un-done

Page 62: ConFess Vienna 2015 - Metaprogramming with Groovy

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins example

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SupermanPower { String fly() { "Flying..." }}

Page 63: ConFess Vienna 2015 - Metaprogramming with Groovy

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SupermanPower { String fly() { "Flying..." }}

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins example

Page 64: ConFess Vienna 2015 - Metaprogramming with Groovy

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SupermanPower { String fly() { "Flying..." }}

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins example

Page 65: ConFess Vienna 2015 - Metaprogramming with Groovy

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SupermanPower { String fly() { "Flying..." }}

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins example

Page 66: ConFess Vienna 2015 - Metaprogramming with Groovy

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins exampleclass SupermanPower { String fly() { "Flying..." }}

Page 67: ConFess Vienna 2015 - Metaprogramming with Groovy

@Mixin([SpidermanPower])class Person {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert !(person instanceof SpidermanPower)

Person.mixin SupermanPowerassert person.fly() == "Flying..."assert !(person instanceof SupermanPower)

class SpidermanPower { String spiderSense() { "Using spider-sense..." }}

Mixins exampleclass SupermanPower { String fly() { "Flying..." }}

Page 68: ConFess Vienna 2015 - Metaprogramming with Groovy

Traits▷ Groovy 2.3+

▷ Similar to Java 8 default methods

▷ Supported in JDK 6, 7 and 8

▷ Stateful

▷ Composition over inheritance

▷ Documentation

Page 69: ConFess Vienna 2015 - Metaprogramming with Groovy

class Person implements SpidermanPower {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert person instanceof SpidermanPower

def person2 = person.withTraits SupermanPowerassert person2.fly() == "Flying..."assert person2 instanceof SupermanPower

Traits exampletrait SpidermanPower { String spiderSense() { "Using spider-sense..." }}

trait SupermanPower { String fly() { "Flying..." }}

Page 70: ConFess Vienna 2015 - Metaprogramming with Groovy

class Person implements SpidermanPower {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert person instanceof SpidermanPower

def person2 = person.withTraits SupermanPowerassert person2.fly() == "Flying..."assert person2 instanceof SupermanPower

Traits exampletrait SpidermanPower { String spiderSense() { "Using spider-sense..." }}

trait SupermanPower { String fly() { "Flying..." }}

Page 71: ConFess Vienna 2015 - Metaprogramming with Groovy

class Person implements SpidermanPower {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert person instanceof SpidermanPower

def person2 = person.withTraits SupermanPowerassert person2.fly() == "Flying..."assert person2 instanceof SupermanPower

Traits exampletrait SpidermanPower { String spiderSense() { "Using spider-sense..." }}

trait SupermanPower { String fly() { "Flying..." }}

Page 72: ConFess Vienna 2015 - Metaprogramming with Groovy

class Person implements SpidermanPower {}

def person = new Person()assert person.spiderSense() == "Using spider-sense..."assert person instanceof SpidermanPower

def person2 = person.withTraits SupermanPowerassert person2.fly() == "Flying..."assert person2 instanceof SupermanPower

Traits exampletrait SpidermanPower { String spiderSense() { "Using spider-sense..." }}

trait SupermanPower { String fly() { "Flying..." }}

Page 73: ConFess Vienna 2015 - Metaprogramming with Groovy

MOP method synthesis

Page 74: ConFess Vienna 2015 - Metaprogramming with Groovy

MOP Method Synthesis

▷ Dynamically figure out behaviour upon invocation

▷ It may not exist until it's called/executed

▷ “Intercept, Cache, Invoke” pattern

Page 75: ConFess Vienna 2015 - Metaprogramming with Groovy

def p = new Person(name: 'Iván', age: 34)

assert p.respondsTo('sayHi')assert p.respondsTo('sayHiTo', String)assert !p.respondsTo('goodbye')

assert p.hasProperty('name')assert !p.hasProperty('country')

Check for methods and properties

class Person { String name Integer age

String sayHi() { "Hi, my name is ${name} and I'm ${age}" }

String sayHiTo(String name) { "Hi ${name}, how are you?" }}

Page 76: ConFess Vienna 2015 - Metaprogramming with Groovy

def p = new Person(name: 'Iván', age: 35)

assert p.respondsTo('sayHi')assert p.respondsTo('sayHiTo', String)assert !p.respondsTo('goodbye')

assert p.hasProperty('age')assert !p.hasProperty('country')

Check for methods and properties

class Person { String name Integer age

String sayHi() { "Hi, my name is ${name} and I'm ${age}" }

String sayHiTo(String name) { "Hi ${name}, how are you?" }}

Page 77: ConFess Vienna 2015 - Metaprogramming with Groovy

Check for methods and properties

class Person { String name Integer age

String sayHi() { "Hi, my name is ${name} and I'm ${age}" }

String sayHiTo(String name) { "Hi ${name}, how are you?" }}

def p = new Person(name: 'Iván', age: 35)

assert p.respondsTo('sayHi')assert p.respondsTo('sayHiTo', String)assert !p.respondsTo('goodbye')

assert p.hasProperty('age')assert !p.hasProperty('country')

Page 78: ConFess Vienna 2015 - Metaprogramming with Groovy

Check for methods and properties

class Person { String name Integer age

String sayHi() { "Hi, my name is ${name} and I'm ${age}" }

String sayHiTo(String name) { "Hi ${name}, how are you?" }}

def p = new Person(name: 'Iván', age: 35)

assert p.respondsTo('sayHi')assert p.respondsTo('sayHiTo', String)assert !p.respondsTo('goodbye')

assert p.hasProperty('age')assert !p.hasProperty('country')

Page 79: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

▷ Requirements:– Send notifications to users by different

channels– +50 notifications– Not all notifications by all channels– Extensible and open to future

modifications

Page 80: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleabstract class Channel { void sendNewFollower(String username, String follower) { } void sendNewMessage(String username, String msg) { } ...}

class EmailChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending email notification to '${username}' for new follower '${follower}'" } void sendNewMessage(String username, String msg) { println "Sending email notification to '${username}' for new message '${msg}'" }}

class MobilePushChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending mobile push notification to '${username}' for new follower '${follower}'" }}

Page 81: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleabstract class Channel { void sendNewFollower(String username, String follower) { } void sendNewMessage(String username, String msg) { } ...}

class EmailChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending email notification to '${username}' for new follower '${follower}'" } void sendNewMessage(String username, String msg) { println "Sending email notification to '${username}' for new message '${msg}'" }}

class MobilePushChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending mobile push notification to '${username}' for new follower '${follower}'" }}

Page 82: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleabstract class Channel { void sendNewFollower(String username, String follower) { } void sendNewMessage(String username, String msg) { } ...}

class EmailChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending email notification to '${username}' for new follower '${follower}'" } void sendNewMessage(String username, String msg) { println "Sending email notification to '${username}' for new message '${msg}'" }}

class MobilePushChannel extends Channel { void sendNewFollower(String username, String follower) { println "Sending mobile push notification to '${username}' for new follower '${follower}'" }}

Page 83: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleclass NotificationService {

List channels = []

def methodMissing(String name, args) { System.out.println "...methodMissing called for ${name} with args ${args}"

// Generate the implementation def implementation = { Object[] methodArgs -> channels.each { channel -> def metaMethod = channel.metaClass.getMetaMethod(name, methodArgs) return metaMethod.invoke(channel, methodArgs) } } // Cache the implementation in the metaClass NotificationService instance = this instance.metaClass."$name" = implementation

// Execute it! implementation(args) }}

Page 84: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleclass NotificationService {

List channels = []

def methodMissing(String name, args) { System.out.println "...methodMissing called for ${name} with args ${args}"

// Generate the implementation def implementation = { Object[] methodArgs -> channels.each { channel -> def metaMethod = channel.metaClass.getMetaMethod(name, methodArgs) return metaMethod.invoke(channel, methodArgs) } } // Cache the implementation in the metaClass NotificationService instance = this instance.metaClass."$name" = implementation

// Execute it! implementation(args) }}

Page 85: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleclass NotificationService {

List channels = []

def methodMissing(String name, args) { System.out.println "...methodMissing called for ${name} with args ${args}"

// Generate the implementation def implementation = { Object[] methodArgs -> channels.each { channel -> def metaMethod = channel.metaClass.getMetaMethod(name, methodArgs) return metaMethod.invoke(channel, methodArgs) } } // Cache the implementation in the metaClass NotificationService instance = this instance.metaClass."$name" = implementation

// Execute it! implementation(args) }}

notificationService.sendNewFollower(...)notificationService.sendNewMessage(...)

Page 86: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleclass NotificationService {

List channels = []

def methodMissing(String name, args) { System.out.println "...methodMissing called for ${name} with args ${args}"

// Generate the implementation def implementation = { Object[] methodArgs -> channels.each { channel -> def metaMethod = channel.metaClass.getMetaMethod(name, methodArgs) return metaMethod.invoke(channel, methodArgs) } } // Cache the implementation in the metaClass NotificationService instance = this instance.metaClass."$name" = implementation

// Execute it! implementation(args) }}

Page 87: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampleclass NotificationService {

List channels = []

def methodMissing(String name, args) { System.out.println "...methodMissing called for ${name} with args ${args}"

// Generate the implementation def implementation = { Object[] methodArgs -> channels.each { channel -> def metaMethod = channel.metaClass.getMetaMethod(name, methodArgs) return metaMethod.invoke(channel, methodArgs) } } // Cache the implementation in the metaClass NotificationService instance = this instance.metaClass."$name" = implementation

// Execute it! implementation(args) }}

Page 88: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 89: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 90: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 91: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 92: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")class EmailChannel extends Channel { void sendNewFollower(String username, String follower) {…} void sendNewMessage(String username, String msg) {…}}

class MobilePushChannel extends Channel { void sendNewFollower(String username, String follower) {…}}

Page 93: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 94: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing example

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

def notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

Page 95: ConFess Vienna 2015 - Metaprogramming with Groovy

MethodMissing exampledef notificationService = new NotificationService( channels: [new EmailChannel(), new MobilePushChannel()])

assert !notificationService.respondsTo('sendNewFollower', String, String)notificationService.sendNewFollower("John", "Peter")assert notificationService.respondsTo('sendNewFollower', String, String)

notificationService.sendNewFollower("Mary", "Steve")

notificationService.sendNewMessage("Iván", "Hello!")

// Execution...methodMissing called for sendNewFollower with args [John, Peter]Sending email notification to 'John' for new follower 'Peter'Sending mobile push notification to 'John' for new follower 'Peter'

Sending email notification to 'Mary' for new follower 'Steve'Sending mobile push notification to 'Mary' for new follower 'Steve'

...methodMissing called for sendNewMessage with args [Iván, Hello!]Sending email notification to 'Iván' for new message 'Hello!'

Page 96: ConFess Vienna 2015 - Metaprogramming with Groovy

2.Compile-time metaprogramming

Page 97: ConFess Vienna 2015 - Metaprogramming with Groovy

Compile-time metaprogramming

▷ Advance feature

▷ Analyze/modify program structure at compile time

▷ Cross-cutting features

▷ Write code that generates bytecode

Page 98: ConFess Vienna 2015 - Metaprogramming with Groovy

AST and compilation

▷ AST: Abstract Syntax Tree

▷ AST modified during compilation

▷ Hook into the phases

▷ Initialization, Parsing, Conversion, Semantic analysis, Canonicalization, Instruction selection, Class generation, Output, Finalization

Page 99: ConFess Vienna 2015 - Metaprogramming with Groovy

Global ASTtransformations

Page 100: ConFess Vienna 2015 - Metaprogramming with Groovy

Global AST Transformations

▷ No annotation

▷ Meta-information file

▷ Applied to all code during compilation

▷ Any compilation phase

▷ Grails uses intensively in GORM

Page 101: ConFess Vienna 2015 - Metaprogramming with Groovy

Local ASTtransformations

Page 102: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST Transformations

▷ Annotate code

▷ No meta-information file

▷ Easy to debug

Page 103: ConFess Vienna 2015 - Metaprogramming with Groovy

Steps to create local AST

Interface AST Enjoy!

Page 104: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example

package confess2015

import ...

@Retention(RetentionPolicy.SOURCE)@Target([ElementType.TYPE])@GroovyASTTransformationClass("confess2015.VersionASTTransformation")@interface Version { String value()}

class VersionedClass { public static final String VERSION = "1.0"}

import confess2015.Version

@Version('1.0')class VersionedClass {}

Page 105: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example

class VersionedClass { public static final String VERSION = "1.0"}

package confess2015

import ...

@Retention(RetentionPolicy.SOURCE)@Target([ElementType.TYPE])@GroovyASTTransformationClass("confess2015.VersionASTTransformation")@interface Version { String value()}

import confess2015.Version

@Version('1.0')class VersionedClass {}

Page 106: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example

class VersionedClass { public static final String VERSION = "1.0"}

package confess2015

import ...

@Retention(RetentionPolicy.SOURCE)@Target([ElementType.TYPE])@GroovyASTTransformationClass("confess2015.VersionASTTransformation")@interface Version { String value()}

import confess2015.Version

@Version('1.0')class VersionedClass {}

Page 107: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example@GroovyASTTransformation(phase = CompilePhase.SEMANTIC_ANALYSIS)class VersionASTTransformation extends AbstractASTTransformation {

@Override public void visit(final ASTNode[] nodes, final SourceUnit source) { if (nodes.length != 2) { return }

if (nodes[0] instanceof AnnotationNode && nodes[1] instanceof ClassNode) { def annotation = nodes[0] def version = annotation.getMember('value')

if (version instanceof ConstantExpression) { nodes[1].addField('VERSION', ACC_PUBLIC | ACC_STATIC | ACC_FINAL, ClassHelper.STRING_TYPE, version) } else { source.addError(new SyntaxException("Invalid value for annotation", annotation.lineNumber, annotation.columnNumber)) } } }}

Page 108: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example@GroovyASTTransformation(phase = CompilePhase.SEMANTIC_ANALYSIS)class VersionASTTransformation extends AbstractASTTransformation {

@Override public void visit(final ASTNode[] nodes, final SourceUnit source) { if (nodes.length != 2) { return }

if (nodes[0] instanceof AnnotationNode && nodes[1] instanceof ClassNode) { def annotation = nodes[0] def version = annotation.getMember('value')

if (version instanceof ConstantExpression) { nodes[1].addField('VERSION', ACC_PUBLIC | ACC_STATIC | ACC_FINAL, ClassHelper.STRING_TYPE, version) } else { source.addError(new SyntaxException("Invalid value for annotation", annotation.lineNumber, annotation.columnNumber)) } } }}

Page 109: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example// Execute with:// gradle build// groovy -cp build/libs/add-version-1.0.jar LocalASTExample.groovy

import confess.Version

@Version('1.0')class VersionedClass {}

println VersionedClass.VERSION

// Execution1.0

Page 110: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example// Execute with:// gradle build// groovy -cp build/libs/add-version-1.0.jar LocalASTExample.groovy

import confess.Version

@Version('1.0')class VersionedClass {}

println VersionedClass.VERSION

// Execution1.0

Page 111: ConFess Vienna 2015 - Metaprogramming with Groovy

Local AST example// Execute with:// gradle build// groovy -cp build/libs/add-version-1.0.jar LocalASTExample.groovy

import confess.Version

@Version('1.0')class VersionedClass {}

println VersionedClass.VERSION

// Execution1.0

Page 112: ConFess Vienna 2015 - Metaprogramming with Groovy

3.Why we should usemetaprogramming?

Page 113: ConFess Vienna 2015 - Metaprogramming with Groovy

Let’s review some concepts

Metaprogramming out-of-the box

Easy and very powerful

Write better code

Add behaviour easily

Take advantage of this power

Because Groovy, it's groovy

Page 114: ConFess Vienna 2015 - Metaprogramming with Groovy

With great powercomes great responsibility

Page 115: ConFess Vienna 2015 - Metaprogramming with Groovy

Thanks!Any questions?

@ilopmar

[email protected]

https://github.com/lmivan

Iván López

http://kcy.me/208wq