In this page
When to use scripting?
What is Groovy?
How can I learn Groovy?
Advanced script examples
Recommended tools
Writing Groovy scripts
Your first script in 2 minutes
Passing objects from templates to scripts
Passing objects from scripts to templates
Scripting good practices
Working with external Java classes and OSGi components
Importing external Java classes
Accessing external OSGi components
Legacy approach
Practical scripting
Unit testing
Running the unit tests in the IDE
Running the unit tests in Jira
Debugging
Debugging in the Excel template
Debugging in the IDE
Debugging in Jira
Logging
Logging from scripts
Logging from Excel cells
Further reads
Recipes
Troubleshooting
Next step
Why scripting?
Better Excel Exporter uses actual Excel files (XLSX and XLSM) as spreadsheet templates. In the templates, you can access Jira domain objects (issues, users, versions, etc.), you can use expressions, tags, functions, formulas to get the final result. Although these tools are powerful at what they do, they do not offer a full-blown programming language. That may impose limitations when implementing more complex Excel spreadsheet exports.
In many cases, this limitation is not a real problem, as your Excel spreadsheet exports may not require any complex logic. You just want to display field values with expressions, make trivial if-then switches with tags. If the Excel features are sufficient to do calculations from the exported data, then you should not complicate your life with scripting.
In other situations, the requirements for the logic that needs to be built into your templates are more complex. To implement these, tags and expressions alone may not be enough, you will need to do some scripting.
Don't worry, scripting is easy and it opens new horizons for your Excel spreadsheets!
When to use scripting?
Some use case examples that you can implement only with scripting:
- Integrate with external resources. (Example: integrate vendor information into your quotes queried from an external CRM database or an external webservice.)
- Access Jira internals. (Example: execute a secondary saved filter to collect more data.)
- Implement data processing algorithms using advanced data structures. (Example: build dependency tables for traceability matrixes.)
What is Groovy?
Groovy is the scripting language used by the Better Excel Exporter for Jira app. In a wider scope, Groovy is the de-facto standard scripting language for the Java platform (the platform on which Jira itself runs).
What are the advantages of Groovy compared to other scripting languages?
- It is very easy to learn and use.
- It is already known for Jira users, as several other Jira apps use Groovy to implement custom logic.
- It beautifully integrates with Jira internals.
- There are lots of sample code, documentation and answers available on the web.
- It is mature and proven, having been used in mission-critical apps at large organizations for years.
How can I learn Groovy?
The basics of Groovy can be learnt in hours, assuming that you have some background in a modern programming language like Java, Javascript or Python.
Useful resources:
- Groovy: Getting Started
- Groovy documentation
- The book Groovy in Action is well worth the read, if you prefer paper-based formats.
- Groovy 2 Cookbook shows the solution for typical use cases, like connecting to databases, working with regexp's.
- Stack Overflow has a lots of answers for Groovy related questions.
Advanced script examples
Better Excel Exporter for Jira is shipped with a large selection of default Excel templates and Groovy scripts. Looking into those is the absolute best way to learn more about real-life implementations. Even if a template is not perfectly matching your use case, study it for ideas and good practices!
Recommended tools
If you don't plan to make major changes, you can do all your work in the app's built-in editor.
If you look for more, try these:
- If you don't want to install anything, these websites allow editing and executing Groovy:
- 
		Or, you can install these full-blown IDEs:
		- IntelliJ IDEA supports working with Groovy scripts.
- Eclipse IDE with the Groovy-Eclipse extension supports working with Groovy scripts (*.groovy).
 
Writing Groovy scripts
Your first script in 2 minutes
Here is the good old Hello world! program implemented in Groovy for the Better Excel Exporter for Jira appp.
First, save your logic to a Groovy script file hello-world.groovy:
// hello-world.groovy
helloWorld = new HelloWorldTool()
class HelloWorldTool {
	def say() {
		"Hello world!"
	}
}
	Then, execute this in your template hello-world.xlsx:
## hello-world.xlsx
## execute the script with the <mt:execute> tag
| <mt:execute script="hello-world.groovy"/> |
## after executing the script, the object created by the script is available as "$helloWorld"
## let's call a method and put the greeting text to a cell!
| ${helloWorld.say()}                       |
Tadaam! That's it. Now you have the text generated by the Groovy code in the Excel.
Tip: it is usually a good idea to follow the naming convention used above. If your template is an implementation of "my document type", then save the template to my-document-type.xlsx and the script to my-document-type.groovy. It helps to see what files belong together.
Passing objects from templates to scripts
After the script execution basics, the next step is to learn how to share information between Excel templates and scripts.
When you execute a script, the following happens under the hood:
- The class generator will convert the script to an actual Groovy class. (The script hello-world.groovy will be converted to the class named "hello-world" in the background.)
- The class generator will convert the context objects to properties of the generated class.
- Because the generated class is the "outermost" class, its properties appear like "global variables" in the script. Consequently, scripts can access all the context objects through global variables! (More on "global" a bit later).
Simple, right?
Here is a concrete example. You probably know that the currently signed-in Jira user is available as $user in the Excel template. At the same time, this is also available as the object user in Groovy!
// hello-world.groovy
// "user" is available from the context
// we are injecting it to HelloUserTool through its constructor
helloUser = new HelloUserTool(user)
class HelloUserTool {
	def user
	HelloUserTool(user) {
		this.user = user // store the argument for later use
	}
	def say() {
		"Hello ${user.displayName}!" // use a property
	}
	def say2(issues) {
		"Hello ${user.displayName}! You have ${issues.size()} issues." // use a property and a method argument
	}
}
Let's greet him:
## hello-world.xlsx
| ${helloUser.say()} |
You can easily pass arguments to the Groovy methods:
## hello-world.xlsx
| ${helloUser.say2(issues)} |
	Note: although from the above code it may feel like as if we had a global variable "user", this is not true. In fact, there is no such thing like "global" in Groovy! Read this article to avoid surprises.
Passing objects from scripts to templates
The rule is simple: all so-called "binding variables" created in Groovy will be automatically available in the Excel templates.
What is a binding variable? When a variable is not defined in the script, it is in the binding.
Consequently, Groovy variables that are not defined in the script will be available in Excel templates:
// will be available in the template: bindingVariable = "I am a binding variable" // will *not* be available in the template: String localVariable = "I am a local variable"
Therefore, we recommend the following simple convention:
- Implement your logic in a lightweight Groovy class.
- Create an instance of this class as a binding variable.
- To access Groovy calculated information in the Excel template just call the methods of this instance.
Scripting good practices
- Separation of concerns: clearly separate visuals and logic. Use tags, expressions and Excel features for iterating, trivial if-then's, formatting, and use Groovy for implementing complex logic. Not vice versa!
- Follow the naming conventions suggested in this article: call your tool class FooBarTool and instantiate it with the name fooBar.
Working with external Java classes and OSGi components
Groovy scripts frequently need to use Java classes and components from Jira core, bundled apps or other user-installed apps. This section explains how.
Importing external Java classes
(since Better Excel Exporter 6.0.0)
The Groovy execution engine uses a plugin-aware classloader. Therefore, if a class (from any other app!) is available anywhere in the plugin system, it can be imported natively:
import org.marvelution.jji.utils.JobHash // assumes that the "Jenkins Integration" app is installed
def jobHash = new JobHash()
def hash = jobHash.hash("my-string")
	This comes with a hardly noticeable performance penalty: the first export may take a bit longer, but next exports will be fast. They are faster due to caching the class loaded during the first export.
Accessing external OSGi components
(since Better Excel Exporter 6.0.0)
Jira apps typically expose their functionality and integration points (their API) via OSGi components. To integrate with an app, you can load its OSGi components with the ClassHelper utility tool.
This example loads a component from the "Elements Connect" app (assuming that it is installed):
import com.midori.jira.plugin.commons.util.ClassHelper
// load the component by its full class name
// don't define the type for the returned object
def ds = ClassHelper.getOSGiComponentInstanceOfType("com.valiantys.nfeed.api.IFieldDisplayService")
// we have a working service, yay!
def result = ds.getDisplayResult(issueId, customFieldId)
	Don't forget that the OSGi container uses a different classloader than the Groovy execution engine. That's why you can't cast the OSGi components to their precise type! In Groovy, an "optionally typed" language, it is not even necessary. Just use def!
In some very rare cases, you may want to access a component which has multiple versions available in the OSGi container. If you pass also the app key, ClassHelper will search for the class only in that app:
import com.midori.jira.plugin.commons.util.ClassHelper
// pass the app key as the first parameter (to use the classloader of that specific app)
def ds = ClassHelper.getOSGiComponentInstanceOfType("com.valiantys.jira.plugins.SQLFeed", "com.valiantys.nfeed.api.IFieldDisplayService")
	This technique is rarely needed, but it is worth a try if you have problems with the first, simpler technique.
Legacy approach
This section primarily applies to pre-6.0.0 app versions. Although the technique described here also works in modern app versions, it is unnecessarily complicated.
There are times when you fail to reference a Java (Groovy) class by using an import statement, as the class is made available for apps by Jira. For example, you'd like to get the JqlQueryParser component from Jira, but the Groovy interpreter cannot import its class.
The problem is due to Jira running apps in an OSGi environment with controlled classloading. Groovy scripts run in the same environment as the app that executes those, therefore the same limits affect scripts, too.
Luckily, Groovy being a dynamic language, there is a clever trick to overcome this:
// load the class by name using the class-loader of a Jira-internal class
def clazz = ComponentAccessor.class.classLoader.loadClass("com.atlassian.jira.jql.parser.JqlQueryParser")
// don't define the type when getting the component
def jqlQueryParser = ComponentAccessor.getOSGiComponentInstanceOfType(clazz)
// we have a working query parser, yay!
def query = jqlQueryParser.parseQuery("project = CONTRACTOR and assignee = ${assignee.name}")
Practical scripting
Unit testing
Writing unit tests for your Groovy scripts is a great way to achieve quality and reliability. It can also be a technique to work faster when writing more complicated scripts.
For practical reasons, we recommend packaging your unit tests together with the tested Groovy class unless the resulted script grows inconveniently large.
Here is a Groovy tool sample that counts the resolved issues in the input collection plus the corresponding unit test:
resolvedCounter = new ResolvedCounterTool()
public class ResolvedCounterTool {
	long getResolvedCount(issues) { // <- the tested logic
		Closure query = { it.resolutionDate != null }
		return issues.findAll(query).size()
	}
	void testGetResolvedCount() { // <- the unit test
		def issues = [ [:], [ resolutionDate: new Date() ], [:] ] as Set // mock issues
		def result = getResolvedCount(issues)
		assert result == 1
	}
}
Running the unit tests in the IDE
Now, bring the previous script to your favorite IDE and add these lines to the end of the script:
resolvedCounter = new ResolvedCounterTool() resolvedCounter.testGetResolvedCount()
Run it! If it produces no output, then the test was successful. (If you prefer a more explicit signal, you can print a "Successful!" message in the last line of test method.)
To understand what happens when the test fails, change the assert statement to this:
assert result == 2
Run it! It will fail and show you the actual result (1) as well:
Assertion failed: assert result == 2 | | 1 false
Cool, right?
When your script is complete and your tests are running fine, just comment out the invocation of the test methods and deploy the script back to Jira.
Running the unit tests in Jira
You may be curious, what happens if you don't comment out the test method invocation before deploying the script to Jira? It may even sound like a good idea to run the tests before each export.
Well, it would definitely work and the test failures would be written to the Jira system log. So far, so good.
But! Failed tests will also make the export itself fail: the assert statement will terminate the execution of the script and the Excel spreadsheet rendering will stop. As the test failure details only appear in the Jira log, yours users (not looking at the log) will see only a broken Excel spreadsheet with an unfriendly error message.
Therefore, running Groovy tests in Jira is recommended only for development purposes.
Debugging
You can efficiently develop most scripts using nothing else but the app's built-in editor, tracing and logging to write out variable values and see the control flow. Only when things get more complicated, you may want to use an actual debugger.
Debugging in the Excel template
You can use a simple technique to debug your export through the Excel template. It can be helpful both while developing it and also after it has been deployed to production.
The idea is adding expressions temporarily to an empty cell in the template which will show the variable value in in the exported Excel file. Here is an example of this approach:
| Key                     | Summary           | Status                      |
| ${issues.key}           | ${issues.summary} | ${issues.statusObject.name} |
|                         |                   |                             |
| DEBUG: ${issues.size()} |                   |                             |
	Because you add it in the bottom, it can be easily ignored. If you don't need the "debug" information anymore, just remove the expression.
Debugging in the IDE
Well, Groovy scripts are just Groovy scripts. Those parts that are not tightly tied to Jira internals can be developed, tested and debugged using the testing approach in your favorite IDE.
As for Jira internals, you can use mock objects to simulate them. For example, in this sample script we used simple Groovy maps to mock Jira issues!
Debugging in Jira
After deploying your script to production, logging to the Jira log should be your primary tool to diagnose problems.
But, this is also possible to debug the scripts within Jira in a tricky way! The idea is to launch Tomcat with JPDA remote debugging enabled, connect to the Tomcat debug port from your IDE and open the script file in the IDE. The debugger will intelligently recognize the script that is executed in the server-side and allow you to debug that in the IDE! Crazy, but it works.
Steps:
- 
			First start Jira with the remote debugging enabled, typically with this command:
			JIRA_HOME_DIR/bin/catalina.sh jpda start 
- Connect to the Jira with your remote debugger as explained here.
- Open up the Groovy file in your IDE.
- Set a breakpoint in the code.
- Start an export which uses this Groovy script.
- The debugger will stop at the breakpoint!
For this trick to work, the Groovy file must be exactly the same in Jira and in your IDE, otherwise line number will not match.
Logging
Logging from scripts
Logging from a script can be useful in a number of cases like writing debug information or signaling exceptional conditions with warnings. In order to write to the Jira log you have to use log4j, the logging library also used by Jira itself.
Steps:
- 
			Import the Logger class (in the top of the Groovy script file):
			import org.apache.log4j.Logger 
- 
			Create a Logger object in your class:
public class MyClass { def log = Logger.getLogger(this.getClass()) // ...
- 
			After these, you can write to the Jira system log like this:
// this goes to the Jira system log log.error("User not found!")Note that your log lines may not appear if those are filtered out by Jira's log4j configuration. If so, follow this guide and configure a custom logging level for your Groovy class (use its class name "MyClass" as Package Name for the logger).
As an easy-to-use alternative you can also write directly to the system console:
// this goes to the system console
System.out.println("Hello console")
	This trick should only be used for quick verifications if you have access to the console (typically in development environments).
Logging from Excel cells
Seeing what value is written to each cell of the exported spreadsheet can be useful when you are debugging your export in a very low level.
Enable Excel cell-level logging in that case.
Further reads
Recipes
Learn more about solving frequent customization needs with pre-tested recipes.
Troubleshooting
Learn more about finding the root cause of Excel export problems faster.
Next step
Display Excel charts to easily visualize your Jira data.
Questions?
Ask us any time.
 
				