Page history Edit this page How do I edit this website?
This page describes content relating to the ImageJ2 platform. Click the logo for details.

Developing ImageJ2 Plugins

This guide provides a technical overview of plugins, including how to create new plugins.

If you are interested in developing an existing plugin instead, see Contributing to a plugin.

If you have completed a plugin that you would like to share with the community, see Distributing your plugins.

For instructions on plugin development for the original ImageJ, see Developing Plugins for ImageJ.

Requirements

As ImageJ2 is built using the SciJava principles of project management, this guide assumes a basic familiarity with these topics and tools, especially:

   
Git Maven

Additionally, at a minimum, you should clone the imagej/tutorials repository. This will give you a local copy of the tutorials discussed in this guide, as well as templates for use in your own development.

For the complete “developer experience”, you can go through the GitHub Bootcamp. At the least, once you’ve created your own repository and cloned a local copy, you will have a home ready for when your very own plugin arrives!

What is a “plugin”?

Conceptually, a plugin is a new piece of functionality added to ImageJ. Nearly all aspects of ImageJ are pluggable, meaning plugins can be provided ad hoc to perform specified functions. The ImageJ core needs only know what general operations are available; then when the program is running, the options for how to complete a requested operation will be determined by which plugins are available at that time.

Technically, ImageJ is built on the SciJava Common plugin framework. Within this framework, a plugin is a Java class annotated with the @Plugin annotation. Classes annotated in this way are then automatically discovered and indexed at “runtime”, when the application is launched by a user (as opposed to “compile-time”).

Plugin types

There is no limit to how many plugins can be discovered at runtime. To allow efficient retrieval of plugins, each class is annotated with a specific type - typically a Java interface - by which the plugin will be indexed. This indexing follows Java type hierarchies.

For example, given the following plugins:

@Plugin(type=Service.class)
public class MyService implements Service { }

@Plugin(type=SpecialService.class)
public class SpecialService implements Service { }
Quiz! Which of these plugins would we expect back if asking the Context for plugins of type Service plugin? Answer: It would give back both the MyService and SpecialService plugins, since SpecialService is a subclass of Service.
Quiz! What if we asked for plugins of type SpecialService? Answer: It would just return the SpecialService plugin, since MyService is not a SpecialService.

Plugin priority

When plugins are retrieved from a Context it’s possible to get more than one match. In these cases, the plugin classes are returned in order of the priority of the class’s @Plugin annotation. Priorities are simply double values; as a starting point, priority constants can be used from the Priority class.

For example, given the following plugins:

@Plugin(priority=Priority.HIGH)
public class MyService implements Service { }

@Plugin(priority=224)
public class SpecialService implements Service { }
Quiz! Which plugin would be returned first if we asked the Context for a Service plugin? Answer: The SpecialService plugin would come back first. If we look at the Priority class we see that HIGH simply resolves to 100.

We can also use relative priorities when referring to particular priority constants. This is a nice way to give the best chance that sorting will remain the same even if these constants change in the future:

@Plugin(priority=Priority.HIGH+124)
public class SpecialService implements Service { }

What makes up the SciJava plugin framework?

The Context

References to all the @Plugin-annotated classes that are discovered are contained in a single, master Context. Each application is responsible for creating its own Context to manage plugins and contextual state.

In ImageJ, a Context is automatically created when the application starts up, so plugin developers do not need to create their own. In fact, creating your own Context typically causes problems, as it will be a different container than ImageJ is using. Instead, plugin instances within a common Context are provided automatically by the framework—you just have to ask.

Typically, ImageJ plugin developers will be writing Service and/or Command plugins. If you need to use another plugin - for example the LogService - you should not manually create it as this effectively disconnects you from your Context (Your Service and/or Command plugins are created by the application container and managed by the plugin framework automatically). Instead, you should ask your Context for an instance by adding a field of the desired type and annotating it with the @Parameter annotation. For example:

@Plugin
public class MyPlugin {
 
  // This @Parameter notation is 'asking' the Context
  // for an instance of LogService.
  @Parameter
  private LogService logService;
 
  public void log(String message) {
    // Just use the LogService!
    // There is no need to construct it, since the Context
    // has already provided an appropriate instance.
    logService.info(message);
  }
}

This will allow the Context to provide you with the appropriate instance of your requested service.

In some cases, manual plugin construction is unavoidable. Understand that if the MyPlugin class above is manually constructed—i.e. via new MyPlugin()—the LogService parameter will be null. Automatic population only occurs if the plugin instance itself is retrieved via the framework. When you must manually construct a plugin instance, you can still re-connect it to an existing Context via its injection mechanism:

public class MyService {

  // This service will manually create plugin instances
  // So, we need a reference to our containing Context
  // Then we can use it to inject our plugins.
  @Parameter
  private Context context;

  public void doStuff() {
    // Manually create a plugin instance
    // It is not connected to a Context yet
    MyPlugin plugin = new MyPlugin();

    // Inject the plugin instance with our Context,
    // so the logService field of the plugin will be
    // populated.
    context.inject(plugin);

    // Now that our plugin is injected, we can use
    // it with the knowledge that its parameters
    // have been populated
    plugin.log("Success!");
  }
}

Services

Services provide two important functions to the SciJava framework: utility methods and persistent state. If you want to add reusable Java methods that can be used throughout the SciJava framework, then you should create a Service to provide this functionality. If you need to track Context-wide variables or configuration, a Service should be used to encapsulate that state.

Conceptually, a Service satisfies the role of static utility classes on a per-Context basis. In this way, only one instance of each Service class can be associated with a given Context instance; an association that occurs automatically during Context creation. Furthermore, when a Context is asked for an implementation of a given Service, only the highest priority instance will be returned.

Services often build on or reuse functionality defined in each other. For example, the PluginService sees ubiquitous use in retrieving and working with plugin instances. For such reuse, @Parameter annotation can be used to declare inter-service requirements. During Context startup, these relationships will be resolved automatically.

Commands

Whereas Services provide internal functionality, Commands are plugins designed to be executed as one-offs, typically interacting with users to achieve some desired outcome. When opening the ImageJ GUI, Commands are what populate your menu structure: exposing functionality and algorithms in a way that can be consumed by non-developers.

When writing Commands you will often declare @Parameters on fields that can not be resolved automatically by the Context—for example, numeric values or file paths. Instead of being instantiated at Context startup as a Service would be, Commands are created and executed on demand.

When a Command is executed, it goes through a series of pre-processing steps to populate its @Parameters using its associated Context. If any parameters are left unresolved and a UI is available, the framework will automatically build and display an appropriate dialog to get user input. In this way, input harvesting is decoupled from functional operation—allowing developers to focus on what’s really important without repetition of code. This also means that Commands can typically run headlessly without any extra development effort.

A common pattern in Command development is to wrap Service functionality. For example, opening an image from a path is a fundamental operation in ImageJ. To this end, developers can directly use the DatasetIOService. Users then get this same functionality from the menus via the OpenDataset command—which itself simply calls into the DatasetIOService.

Other plugins

Because virtually everything is a plugin in ImageJ, there are too many to explicitly enumerate, let alone cover in a tutorial. To get ideas for functionality that can be added, a good starting point is to look for services in the javadoc, or the ImageJ search portal. Many service types have supplemental plugins for easy functional extension. In particular, the imagej-common and scijava-common repositories will contain plugin definitions for many essential operations.

A brief list of some of the more useful plugin types to extend:

  • Ops provide a reusable set of image processing algorithms.
  • Image formats allow new types of images to be opened in ImageJ.
  • Converters allow the framework to interchange types, outside of normal Java class hierarchy restrictions.
  • Input Preprocessors give you control over the population of @Parameters.
  • Displays control how UI elements are presented to users.

If you know the function you want to modify but can’t determine its location in the code, please ask other developers. You’re part of the community now!

Example projects

Remember the imagej/tutorials repository we said you should clone? Now’s the time to put it to use!

Because the ImageJ API is designed to be maximally flexible and extensible, if you’re just getting started with development it can be overwhelming to figure out exactly which part of the code base you should be working on. The imagej/tutorials repository contains a selection of minimal projects illustrating how your own project(s) could be structured to perform common tasks. Most of these projects also have extensive documentation via comments in the code, to highlight particular functions and use cases.

You do not need to understand every project in this repository, nor must you go through them in a particular order! Instead, you should read through the following topics and focus on the projects that look particularly interesting and relevant to your goals. Your target for learning should be to understand the code in these selected projects, and how changes to that code will be reflected in the experiences of users and other developers.

Because these tutorials use Git for source control, you have complete freedom to modify and play with the code. Worst-case scenario, you always have a big reset button via the command:

git reset --hard origin/master

There are always other options for saving or restoring your work—stashing or branching, for example—but their use will depend on your personal comfort and knowledge of Git.

Tips

  • Most of these examples have a Main method to see the code in action.
  • All of these projects are Mavenized.
  • You can look at the pom.xml to figure out which libraries that particular project is using.
  • You can compile and build from the command line by running mvn from any project’s top-level directory (any directory containing a pom.xml).
  • Building a project results in a jar output in the $PROJECT/target/ directory.
  • For a more “real-world” experience, you can drop the jar you built into the ImageJ2.app/jars/ directory of an ImageJ installation to try out any of the example plugins.
  • If you’re not sure how to find your plugin within ImageJ, use the search bar!
  • You can also import each project into Eclipse/NetBeans/IntelliJ IDEA as a maven project.

First steps

The IntroToImageJ API class documents many common functions and structures in ImageJ, and is a great starting point.

Basic plugins

These projects provide minimal examples with thorough online documentation.

Targeted tasks

These projects are examples of specific use cases within the ImageJ API.

Working with Ops

Working with user input

Plugin development

Starting your own plugin

General guidelines

ImageJ adheres to interface-driven design. From a practical point of view, this means:

If you are creating a new plugin type…

  • Use interfaces for base plugin type
  • Create an abstract class implementing this interface that handles all the boilerplate.
  • Your abstract class can likely extend a general abstract class provided in imagej-common or scijava-common

If you are implementing an existing plugin type…

  • Just extend the appropriate abstract class! Let your compiler tell you which methods are missing.

Adopt an existing project

You already created your own GitHub repository, right??

When you’re just getting started with tools like Git and Maven, it’s not easy to comprehend the nuances of how new projects should be set up and configured. It’s much easier to copy a working project to use as a starting point and go from there.

The example projects are designed precisely to serve as such starting points for new projects. Once you have a solid idea of what kind of plugin you want to write, pick the project that discusses your area of choice and simply copy it to your own GitHub repo. From there, you can make changes as needed.

At this point, if you haven’t already, we STRONGLY RECOMMEND importing your project into an IDE like Eclipse. This will make development and refactoring much easier. Modern IDEs also have excellent Git and Maven integration, which will allow you to take advantage of the fact that the example projects are already set up as Mavenized Git repositories.

In addition to modifying and developing the source code itself, there are several things you should do to properly identify and configure your project:

Update your POM

  • For your parent pom, we recommend that you extend pom-scijava. This will provide dependency management of a lot of common useful dependencies, including the entire ImageJ2 software stack and all Fiji components. Try to use the newest available version of pom-scijava.
  • Update your groupId. ImageJ projects use a net.imagej groupId, while Fiji projects use sc.fiji—or you may use your own if you do not plan to distribute your plugin with the core ImageJ or Fiji projects.
  • Update your artifactId to something appropriate based on the intended use of your project.
  • Update your and to something appropriate for your new artifactId.
  • Add a block to your pom, to identify yourself (see [this example](https://github.com/scijava/pom-scijava/blob/pom-scijava-16.1.0/pom.xml#L32-L47) for formatting).

Code changes

  • If you updated your pom’s groupId, you should similarly update the package structure (found in src/main/java) to match.

Optional changes

  • If you want to use additional ImageJ or Fiji projects as libraries, you will need to add them as dependencies in the dependency block of your pom.xml. Note that you will not need to specify a , as these are managed by the `pom-scijava` parent pom.
  • If your copied pom.xml has a main method specification you will likely need to remove or update it as appropriate.
  • If you want to add non-Java files to your plugin, such as sample images or demo scripts, refer to the standard maven layout.

Next Steps

There are further guides available dedicated to developing particular types of plugins:

Once you have completed plugins and want to get them out to users, you can familiarize yourself with the articles on:

As always, if you ever need assistance, just ask!