Client Java Module
This content applies solely to Appian RPA, which must be purchased separately from the Appian base platform.

The Client module provides basic interfaces, classes, and methods you'll use to develop robotic processes. Because it contains essential functionality, this module is available for every robotic process.

This page describes the Client module's functions in a robotic process. The Client module comprises many core functions, such as initializing other modules, communicating with the RPA console, interacting with the screen, using the keyboard, and verifying or resetting conditions on the resource.

This page describes how to integrate Client module methods into your robotic process. Appian RPA's low-code Client methods provide an easier and more robust development experience. For more experienced developers, this page also discusses the options available using the Java module.

Using the Client low-code methods

The Client module includes many methods that provide essential functionality to robotic processes. In the Appian RPA console, you won't find a single module labeled Client. Instead, the methods are grouped by their common functionality:

  • Keyboard - The methods in this group tell the robotic process to mimic interaction with the keyboard, such as pressing enter, typing text, or releasing a key it previously activated. IKeyboard is the corresponding Java module.
  • MultiOS - These methods interact with the resource's operating system. You can configure the robotic process to return information about the environment, activate a certain window, or terminate a running process. MultiOS is the corresponding Java module.
  • Robot - These methods also interact with the keyboard, but can do common tasks more simply. For example, you can use these methods to execute code, copy text, and prevent the screensaver from activating. IJidokaRobot is the corresponding Java module.
  • Server - These methods communicate with the RPA server and console. You can use these methods to log information during the robotic process execution. IJidokaServer is the corresponding Java module.
  • Smart delay - This collection of methods mainly acts on images after waiting for specific conditions. IWaitFor is the corresponding Java module.
  • Window - These methods are similar to those in the MultiOS group, except they are specific for Windows environments. IWindows is the corresponding Java module.

Using the Client Java module

Because the Client module is used by every robotic process, it's added as a dependency by default. In the Maven pom.xml file, the dependency is listed as jidoka-client-api-x.y.z.jar, where x.y.z represents the version number.

The Client module's most important interfaces, classes, and methods are grouped in these packages:

com.novayre.jidoka.client.api package

  • iRobot: This interface defines the robotic process and publishes multiple basic methods to prepare the robotic process for execution.
  • JidokaFactory: This is a utility class that enables the installation of the different modules of Appian RPA. It is used to obtain an instance of IJidokaServer. Although module implementations can be obtained through this class, you may find it easier to obtain them directly from static methods of the module interfaces themselves.
  • IJidokaServer: This enables functionality for the robotic process to communicate with the Appian RPA Server. It is used to send information to the console, write in the execution log, report the number of items to be processed, report when an item begins processing, report when an item is finished processing, and report its result. It inherits from org.apache.commons.logging.Log, from IJidokaContext and from IJidokaStatistics.
  • IJidokaRobot: This interface enables functionality for keyboard and mouse control, clipboard content management, and delays.
  • IKeyboardSequence: This interface emulates a combination or sequence of keystrokes just as a human would do. For example, the combination of keys Alt+F4 may be considered a sequence.

com.novayre.jidoka.client.api.multios package

  • IClient: This interface represents an abstraction to make low-level operating system API calls. This interface is preferred over IWindows, because it makes development independent of specific operating systems. Along with this interface, there are specific interfaces for Windows, Linux, and Mac.

com.novayre.jidoka.windows.api package

  • IWindows: This interface of the module represents a Windows operating system, inherited from IJidokaRobot. It enables functionality to handle, enable, minimize, or maximize each window; obtain its controls; and access and manage processes.

Key actions in a robotic process

Every robotic process must implement the IRobot interface, located in the com.novayre.jidoka.client.api.IRobot package, as well as use the annotation @Robot. A class implementing this interface and annotated with @Robot is a robotic process. One project can have several robotic processes if there are several classes implementing the interface.

Verify conditions before the robotic process begins

There are several methods that can be called to verify the conditions of your resource and your robotic process before execution. Some of these methods can be particularly helpful in preparing your robotic process for execution, like the startUp(), beforeGetInstructions(), and beforeGetSupportFiles() methods. Note that these methods return a boolean value. If the result is false, the execution will not start.

The iRobot interface publishes the startUp() method, which will always called at the beginning of the execution of a robotic process, prior to executing the actions of the workflow. This method can be useful to verify any condition on the resource, such as determining if a certain application is available, the screen resolution, or if the robotic process can be executed. The method can also initialize the different instances needed by the robotic process, such as IJidokaServer or IWindows.

The code sample below shows how these instances are initialized, in addition to how to check if the robotic process can be executed or not. If possible, then the robotic process continues and starts executing the workflow.

1
2
3
4
5
6
7
8
9
10
11
12
13
@Override
public boolean startUp() throws Exception {
    // Initialization of the robotic process components
    server = JidokaFactory.getServer();
    windows = IJidokaRobot.getInstance(this);
     
    String robotName = server.getExecution(0).getRobotName();
    boolean robotAllowedNow = server.getExecution(0).isRobotAllowedNow(robotName);
     
    server.info(String.format("Is this robotic process allowed now?: %s", robotAllowedNow));
     
    return robotAllowedNow;
}

Another method called before execution is beforeGetInstructions(), which is invoked before the server gets the parameters from the console. In the following code, you can see how the beforeGetInstructions() method is used to calculate the available free space.

1
2
3
4
5
6
7
8
9
10
11
@Override
public boolean beforeGetInstructions() throws Exception {
    server = (IJidokaServer< ? >) JidokaFactory.getServer();
          
    File file = new File(server.getCurrentDir());
    long freeSpace = file.getFreeSpace();
  
    server.info(String.format("Free space: %d bytes", freeSpace));
      
    return IRobot.super.beforeGetInstructions();
}

Remove previously downloaded support files

Another method to invoke before starting the execution is beforeGetSupportFiles(), which is invoked before obtaining the robotic process's support files from the console. This method can be used to remove previously downloaded support files.

The following code example shows how this method is used to list the previously downloaded support files.

1
2
3
4
5
6
7
8
9
10
11
12
13
@Override
public boolean beforeGetSupportFiles() throws Exception {
    server = (IJidokaServer< ? >) JidokaFactory.getServer();
          
    File folder = new File(server.getCurrentDir());
    File[] files = folder.listFiles();
          
    for(File file:files) {
        server.info(file.getPath());
    }
          
    return IRobot.super.beforeGetSupportFiles();
}

Handle errors

As in any Java program, error handling consists of handling exceptions thrown during the execution that may cause a change in the execution sequence. By default, a robotic process's execution will end if an exception is thrown from the action that is currently running.

There are two strategies for exceptions: catch and treat exceptions when they occur, or raise exceptions so that they can be treated in the code that called the method where the exception was detected.

Appian RPA allows you to cluster the code that handles the exceptions, and allows the robotic process to continue processing items from any point of the workflow immediately after treating the exception. This eliminates the need to build conditional blocks in the workflow for each possible error that may happen.

All these advantages are obtained by overwriting the manageException() method from the IRobot interface:

1
2
3
4
5
@Override
public String manageException(String action, Exception exception)
    throws Exception {
    ...
}

Appian RPA will invoke this method whenever an action throws an exception without catching it. It passes the method name associated to the action and the exception as parameters, encapsulated in a InvocationTargetException(). To retrieve the original exception, use the getCause() method from Exception. The method must return the name of the method associated with the action where the execution will resume once the exception handling finishes. If it isn't returned, it will throw an exception and end the robotic process's execution. The default method's implementation throws the exception received as a parameter, without processing it, which causes the corresponding end of the robotic process's execution. It is recommended to call this default implementation at the end of the manageException() method as a fallback to prevent the loss of exceptions that have not been caught due to having overwritten the method.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
@Override
public String manageException(String action, Exception exception) throws Exception {

  // We get the message of the exception
  String errorMessage = ExceptionUtils.getRootCause(exception).getMessage();

  // We send a screenshot to the log so the user can see the screen in the moment
  server.sendScreen("Screenshot at the moment of the error");

  // If we have a FatalException we should abort the execution.
  if (ExceptionUtils.indexOfThrowable(exception, JidokaFatalException.class) >= 0) {
    server.error(StringUtils.isBlank(errorMessage) ? "Fatal error" : errorMessage);
    return IRobot.super.manageException(action, exception);
  }

  // If the error is processing one items we must mark it as a warning and go on with the next item
  if (ExceptionUtils.indexOfThrowable(exception, JidokaItemException.class) >= 0) {
    server.warn(StringUtils.isBlank(errorMessage) ? "Item error" : errorMessage);
    server.setCurrentItemResultToWarn(errorMessage);
    return "moreItems";
  }
			
  server.warn("Unknown exception!");

  // If we have any other exception we must abort the execution, we don't know what has happened
  return IRobot.super.manageException(action, exception);
}

Even though this method ends by throwing an exception, Appian RPA calls the cleanUp() method from the relevant workflow libraries and the robotic process itself regardless.

When managing exceptions globally, carefully consider whether the same method is called by more than one action in the workflow. Under these circumstances, the action that should continue the execution of the workflow would be undetermined. To avoid this, encapsulate the code in a method, which will be called from the methods associated with the actions involved. This way, the robotic process can have several actions, each calling different methods, but finally executing the same piece of code.

In short, when you use global error handling, avoid using the same method in different actions to prevent the robotic process from resuming on an undetermined point of the workflow.

Reset the resource after execution

The IRobot interface publishes the cleanUp() method. Appian RPA will always call this method, regardless of the result of the robotic process's execution. Whether it has ended successfully or it has failed throwing some exception, the end of an execution is a good moment to close the applications that the robotic process has opened or send the files that have been generated during the execution to the server.

In the example below, the String[] returned by the method must contain the local paths to the generated files in order to send the files to the server.

1
2
3
4
5
6
@Override
public String[] cleanUp() throws Exception {
	// Output file of the robot. Will be shown in the Appian RPA console
	return new String[] { inputFile };
}

Library interfaces and methods

Every Appian RPA workflow library — also known as a nanorobot — must implement the interface INano and use the annotation @Nano at class level. A single project can have several nanorobots.

1
2
3
4
@Nano
public class NanoRobot implements INano {
    ...
}

The INano interface publishes the methods init() to initiate the nanorobot (before any other action) and cleanUp() to end the execution of the robotic process that is using the Appian RPA workflow library. The Appian RPA platform will always call these methods.

Share library values

Libraries use the @FieldLink annotation to share values between the Appian RPA libraries and the robotic processes. This annotation automatically shares the value associated with the annotation's attribute between a robotic process and an Appian RPA library. The annotation receives one parameter, which defines the value name in the Appian RPA context.

When you use the annotation in a robotic process, you must specify the name of the library followed by ::, and the name of the attribute. If you use the annotation within the library, you must only specify the name of the attribute.

In the following code sample, we can see how a nanorobot's attribute is defined. Below it, another snippet shows how that attribute would be used within a robot.

1
2
3
4
5
/**
 * Application directory location
 */
@FieldLink("NanoRobot::applicationDirectory")
private String applicationDirectory;

When specifying the name of the library, you can indicate the version between two colons (::). If you don't indicate the version, any version of the library with the specified name will receive the attribute.

You can also define the annotation within the robotic process using :: followed by the name of the attribute, which makes the value global so it can be used in any Appian RPA library.

The following code sample shows the definition of an attribute that is published globally in the Appian RPA platform:

1
2
3
4
5
/**
 * Server instance
 */
@FieldLink("::server")
private IJidokaServer<?> server;

Further on, this page describes how you can interact with the robotic processes from the Appian RPA API in the IJidokaContext. For now, here is a brief reference to the use of the Appian RPA API to see how the literal : works.

When you call a library method from the Appian RPA API using the callNano() method (described later in more detail), you use construction similar to the one specified for @FieldLink. For methods, indicate the library name followed by the method name, with : as a separator. You can also add the library version between the library and method name, also separated by :.

Obtain a module instance

The JidokaFactory class allows you to obtain an instance of an Appian RPA module. If any error occurs, the returned value will be null.

To get an instance of a particular class, use the method: getInstance(IRobot robot, String className); where className is the name of the class to get.

Additionally, you can get a reference of IJidokaServer by calling the method getServer().

Communicate with the Appian RPA console

An object implementing the IJidokaServer interface communicates with the Appian RPA server and console. In addition to sending log messages to the console, this object does three important things to monitor a robotic process in the Appian RPA console:

  • Notify the server about the number of items to be processed: Robotic processes typically operate based on items. To help determine execution progress, it's important to identify items during development. For example, a robotic process that checks warehouse stock from a list of products should read each input product (INPUT), connect to the stock database and check the stock available for the product in process, and save this information somehow (OUTPUT). In this example, an item is the product, and so each product is an item to be processed. The console needs to be notified of the total number of items to be processed to effectively monitor the robotic process's operation, evaluate each item's processing time, determine the step it is on, and estimate the total processing time. Later, we will see how to send this information to the Appian RPA Server.
  • Notify the server when an item is being processed: The robotic process must inform the server when an item begins processing, including:
    • The order of the item, noting its position in the list of all items.
    • An identifier, such as "Item 1" or "Product 5". This identifier may be any text string, but it should be descriptive. This information will appear in the execution log, so the more descriptive it is, the more it will help you identify the item on which the operation was performed.
  • Notify the server when an item has been processed and its result: The execution log in the console will need to list the time spent on processing each item, as well as the results of that process.

The Item Data section explains how to implement these actions.

Data regarding a robotic process execution is important for the system to work properly, so be sure to use these operations and this API appropriately.

The IJidokaServer interface can use generics, IJidokaServer<T extends Serializable>, although this is optional. The specified parameter is a class implementing Serializable. In Appian RPA, the generic class associated to IJidokaServer is called a context class.

IJidokaServer<?> inherits from IJidokaStatistics, IJidokaContext, and Log. These interfaces are described in more detail in the following sections.

Communication methods

Methods directly present in the IJidokaServer interface override those in the Log interface of apache-commons, except the activeThirdPartyLog() method. This method allows you to send third-party logs to the execution trace using the org.apache.commons.logging.Log interface. Be aware that this way of sending log to the trace will work if the classes sending it are not inside com.novayre.jidoka package.

Item data

IJidokaStatistics allows you to notify the server about the number of items to be processed, the beginning of the item processing, and its result. When the result is sent, the console considers item processing to be finished.

The methods included in IJidokaStatistics are:

  • void setNumberOfItems(int numberOfItems): informs the server about the total number of items to be processed.
  • void setCurrentItem(int itemIndex, String itemKey): informs the server that an item began processing, including the item position (1-based) within the list of items and an item description.
  • The methods for notifying the result of an item processing are:
    • void setCurrentItemResultToOK()
    • void setCurrentItemResultToWarn()

The setCurrentItemResult methods inform the server about a result with no error or a process with some warning. The developer chooses what kind of results to send to the server. These methods are overloaded and allow you to send a description of the processing result. This description (contained in String detail below) is shown in the execution log.

  • The methods for notifying the result of an item processing, including a description, are:
    • void setCurrentItemResultToOK(String detail)
    • void setCurrentItemResultToWarn(String detail)

These methods have been overloaded to allow you to include information about statistics per item. This is aimed to be able to provide additional information about the result of an item processing. For example, you could add a parameter to include the cause of a warning. The overloaded methods are as follows:

  • void setCurrentItemResultToOK(String detail, Map<String, String>)
  • void setCurrentItemResultToWarn(String detail, Map<String, String>)

The example below shows how to add the statistics per item within the map in the second parameter. The code uses a Map in which the keys RESULT and DETAIL and the values OK and PASSED are added. This way, the console is informed about the properties defined in the Map for each item.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
/**
 * Set the result of the process of the current item to OK.
 */
private void itemOk() {
        
    Map<String, String> map = new TreeMap<>();
    map.put(ETestCaseProperty.RESULT.name(), EResult.OK.name());
    map.put(ETestCaseProperty.DETAIL.name(),
            ETestCasePropertyDetail.PASSED.name());
    
    Enum<?> currenTestCase = tests.get(currentItem - 1);
    
    server.setCurrentItemResultToOK(currenTestCase.name(),
            map);
    
    currentItem++;
}

Previous methods can be emulated with setCurrentItemResult(ItemData item), which extends the possibilities for notifying the server about results of an item.

The support class ItemData is used to specify different options:

  • index(int i): indicates the index corresponding to the item.
  • key(String k): the item key.
  • result(EResult r): the item result, which can be OK or WARN.
  • subResult(ESubResult sr): subresult for the item, which is also a categorization of the result.
  • detail(String d): detail for the item result.
  • properties(Map<String, String> p): properties for the item.
  • void setDumpSection(String dumpSection): allows you to send text that will be part of the notifications of the event ROBOT_END of the console. The text supports HTML format.

In developing a robotic process in Appian RPA, remember that it is very important to notify the server about these three key aspects:

  • Total number of items to be processed
  • When an item begins processing
  • The process result, with or without description, including the index of the item whose processing has ended

Persist information between executions

The IJidokaContext context class enables you to save persistent information between executions, such as the status or the value of the context class from a previous execution. This context class is helpful for those cases in which you are expecting that the robotic process won't be able to process all the items. Sometimes, the list of items is too large and the robotic process may need hours to process them all.

In such cases, external factors may interrupt the robotic process. For example, the applications it is using are not prepared for long processing times, machine performance, etc. Through the context class, you can specify that the robotic process resume its operation on the item where it was interrupted. This is helpful because if it starts again from the first item, it could lead to the same situation as long as the conditions that caused the interruption don't change. This would lead to never completely processing the list of items.

If the list of items to be processed is obtained from an Excel file or any other input provided by the user, the context class may not be necessary. Tracking of what has been processed and what hasn't may be registered in the Excel file or the specified input itself. The file serves as an output of the process and can be used in turn as input for the next execution.

Sometimes, the list of items to be processed is not known when the process starts, because it is dynamically gathered by the robotic process. In such cases, the context class can indicate which item is being processed from the list of items.

As mentioned earlier, the context class must be serializable because it's sent to the server to be stored and reused in a later execution. Remember that a serializable class is every class implementing the interface Serializable, and whose members are also Serializable. Typically, the context class stores values that allow our robotic process to resume at the point where it was interrupted.

Example

Suppose a robotic process must email the purchase invoice in PDF format to a list of customers of a shop. This list is stored in an Excel file and it contains the name, ID card, email, and details of the purchase made. Each row in the Excel file contains one purchase, so there may be more than one row per client and not necessarily consecutive, depending on the number of purchases and the moment when a customer has made them. Imagine the file contains 1000 rows. The robotic process should read the Excel file, starting at the first row, retrieve the name, the email address, the ID card, and the purchase data, generate the PDF with the invoice, and send it by email.

If for some reason the robotic process is interrupted, the next time the robotic process is launched, it will have to start again. This could result in a lot of time wasted, assuming a long processing time per row. Moreover, it doesn't seem like a good idea to send repeated emails to customers who have already received their invoices.

This can be avoided by one of two ways:

You could write the result of each item processed (each invoice) in the input Excel file and use it as an output Excel file. In turn, you could use this file again as input for the next execution.

Alternatively, you could create a context class called ClientsContext, which would have a property called lastRowProcessed. It will store the number of the last row of the Excel file that has been processed correctly. The class would look like this:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
import java.io.Serializable;
public class ClientsContext implements Serializable {

    private static final long serialVersionUID = 1L;
    private int lastRowProcessed = 0;

    public int getLastRowProcessed() {
        return lastRowProcessed;
    }
    
    public void setLastRowProcessed(int lastRowProcessed) {
        this. lastRowProcessed = lastRowProcessed;
    }
}

The object server would be declared as follows:

1
2
private IJidokaServer<ClientsContext> server;
server = (IJidokaServer<ClientsContext>) JidokaFactory.getServer();

Later, when the item is processed, the robotic process sends an instance of ClientsContext to the server to create the persistent context. The methods that retrieve and set the context class are:

  • server.getPersistentContextValue(), which retrieves the context class. If the context class did not exist, it would receive null.
  • server.setPersistentContextValue(clientsContext), which sets or updates the context class (clientsContext is an instance of ClientsContext).
  • server.resetPersistentContextValue(), which resets or removes the stored context class.

Context is only read once at the beginning of the execution. This way, any change made on it will not be reflected until next execution. This class was meant for that purpose, to get it at the start and update it at the end. Additionally, it is a best practice to set the context class every time an item is correctly processed.

The following code snippet lets you set which row was the last row to be successfully processed. Here row is the position of the last processed row:

1
2
clientsContext.setLastRowProcessed(row);
server.setPersistentContextValue(clientsContext);

When all rows have been processed, it is a good practice to send an empty context class:

1
server.setPersistentContextValue(new ClientsContext());

Then, when a new execution starts, the robotic process would obtain that empty class as the context class, thus managing the case of receiving null:

1
2
3
4
5
clientsContext = server.getPersistentContextValue();

if(clientsContext == null) {
    clientsContext = new ClientsContext();
}

Another option for more complex context classes is to send a String as a class, whose value is a JSON obtained through the serialization of an object. Appian RPA will store the String and it's up to the developer to restore (deserialize) the object once retrieved through server.getPersistentContextValue().

Methods to manage context

This section describes the methods the IJidokaContext interface provides to IJidokaServer<?>. The interface allows you to manage the context between robotic process executions and obtain parameters.

  • Map<String, IRobotVariable> getWorkflowParameters(): returns the robotic process execution parameters. When you run a robotic process from the Appian RPA console, you can include a value for the parameters previously created in the robotic process configuration. These parameters may be required or optional. If required, a default value may be specified.
Example

Suppose you're developing a robotic process to get a list of books from a bookstore's web page. Create a parameter called "author", whose default value could be **. This parameter will allow you to filter the books by author, so that if your robotic process receives the parameter with the value **, it will retrieve all the books. If it receives any other value, for example Carl Sagan, it will only retrieve the books whose author is Carl Sagan.

The function retrieves the parameter this way:

1
String paramAuthor = server.getWorkflowParameters().get("author");
  • *List getSupportFiles()*: returns the paths of the support files that the robotic process has configured in the console.
  • String getCurrentDir(): returns the robotic process's folder. Every robotic process has its own folder within the client's folder. This page assumes that the client is on C:\AppianRPA, though it can be any other folder. If, for example, the robotic process is called RobotLibrary, this method will return:

    1
    
      C:\AppianRPA\AppianRPA-workspace\RobotLibrary
    

    This method is helpful to find the folder where the workFlow variables of type File are stored, and to save the files generated by the robotic process, which should be in the robotic process's working directory. You can also create subfolders to save the files by using the class Paths:

    1
    2
    3
    4
    5
    6
    7
    
      // Creating the path for file.txt in the robotic process local working directory
      File file = Paths.get(server.getCurrentDir(), "file.txt").toFile();
        
      // Creating the path for file.txt in a subdirectory of the robotic process local
      // working directory
      File file = Paths.get(server.getCurrentDir(), "subdir",   
      "file.txt").toFile();
    
  • void sendScreen(String description): takes a screenshot of the machine where the robotic process is running and sends it to the server, passing a description as a parameter.
  • void sendScreenIfCaptureModeEnabled(String description): similar to the previous method, but it only takes the screenshot if screen capture was enabled from the console when the robotic process was launched.
  • BufferedImage getScreen(): returns the screenshot by using an object BufferedImage (java.awt.image.BufferedImage), so you can perform some operation on it.
  • BufferedImage getScreen(Rectangle rectangle): similar to the previous method, but it only captures the area delimited by the rectangle received as a parameter.
  • T getPersistentContextValue(): returns the context class saved in previous execution, or null if there is no previous context class.
  • void setPersistentContextValue(T value): allows you to set or update the context class. It's a best practice to set it or update it immediately after an item has been processed. See Persist information between executions for more information.
  • void resetPersistentContext(): this method resets or removed the persistent context for the robot.
  • <C extends Serializable> IJidokaGlobalContext<C> getGlobalContext(): returns a global context in which we can save and retrieve data beyond executions scope and may even be shared between different robotic processes.
  • Map<String, Object> getFieldLinks(): allows you to access the fields that enable communication with the Appian RPA libraries. This method returns a Map, whose key will match the field's annotation @FieldLink in the library. With that key, you can set or get its value. The value of the elements in the Map is updated between the different calls to the robotic process or library actions. Likewise, if the value is updated directly on the Map, it will be available for the next execution within the attribute with the associated FieldLink.
1
2
3
4
// Update a value in the map with the shared attributes
server.getFieldLinks()
    .put("Aeb3411BancoPastorLibrary::applicationPassword",
            server.getWorkflowParameters().get("applicationPassword"));

If you're using linked attributes, it is not recommended to manage the map programmatically. Instead, assign a new value for the attribute.

  • void callNano(String nanoAction): allows you to call an action defined in an Appian RPA library. This action does not accept input or output parameters.

    1
    2
    
      // Call nanorobot with API method to close application
      server.callNano("Aeb3411BancoPastorLibrary:closeApplication");
    
  • Object callNanoObject(String nanoAction, Object… parameters): allows you to call an action defined in an Appian RPA library with parameters, and the called method to return the result. The called method must receive an object Object... as a parameter.
  • List<IUsernamePassword> getCredentials(String application): allows you to get a list of credentials associated with an application name.

    1
    2
    
      // Get first credentials for Banco Pastor
      IUsernamePassword credentials = server.getCredentials("BANCO_PASTOR").get(0);
    
  • void releaseCredential​(String application, String username): releases a previously reserved credential. When the robotic process reaches a part of the workflow where credentials are referenced, it will populate the chosen field with the username associated with the credential. If the credential has a maximum usage limit, the credential will be automatically reserved at this point as well. The credential is released when the robotic process execution ends, or you can use this method to release a credential earlier in the robotic process, rather than at the end.
  • IUsernamePassword getCredential(String application, boolean reserve, ECredentialSearch search): gets a credential associated with an application, with the option to reserve the credential and specify the search algorithm, distributed or first listed. By default, the first credential listed will be the one returned.
  • void downloadSupportFile(String relativePath): allows you to download support files. Enter support files' storage location as the relative path parameter. It will be downloaded in the specified path in the resource, with respect to the robotic process's working directory. Although the robotic process automatically downloads the resource files at the beginning of the execution, this functionality is very useful when using Falcon. The method allows you to add and change images during debugging, helps you through breakpoints to pause the execution, and provides the Display view in Eclipse when debugging remotely without needing to cancel the robot's execution.
  • boolean updateCredential(String application, String username, String password): allows you to update a password associated with a specific username and application previously registered in the console. It returns true if the update is possible and false if not.

    This method is useful when a password is about to expire. In that situation, the robotic process can update the password, so that in future executions it can still log in.

    1
    2
    3
    
      if (mustUpdate) {
          server.updateCredential("BANCO_PASTOR", "admin", "NEW_PASSWORD");
      }
    
  • void registerEvent(String eventDetailText): allows you to create an event within the platform with a specific associated text. The event will appear as type ROBOT_EVENT in the console.
  • String getPreviousAction(): returns the previously executed action. If the current action is the first one, it will return null.
  • String getCurrentAction(): returns the current action.
  • IExecution getExecution(int numberOfOlderExecutionsToGet): allows you to get data about the current and the previous robotic process's executions. The parameter numberOfOlderExecutionsToGet indicates the number of previous executions that will be retrieved: 0 means that only the information about the current execution will be retrieved, -1 means that the data about all the existing executions will be retrieved. This option should be avoided or used carefully, since it may impact console performance.
  • executionNeedless(String reason): indicates that the current execution must be removed after it ends. Some robotic processes are designed to be executed very frequently, usually to account for functional criteria. When a robotic process does not capture data to process any items, you cna remove the execution results. The parameter is the reason for the removal, which will appear in the EXECUTION_NEEDLESS event, generated at the same time. Note that this type of execution will always be removed, so only the event remains for later queries.

Another important functionality provided by this interface is accessing methods that can be used to encrypt or decrypt sensitive information before displaying it in places such as the execution log or the functional data of the queue items.

  • String encrypt(String key, String text): Encrypts text using an 8-character key.
  • String decrypt(String key, String text): Decrypts encrypted text using an 8-character key.
  • String encrypt2(String key, String text): Encrypts text using a 32-character key.
  • String decrypt2(String key, String text): Decrypts encrypted text using a 32-character key.

Global data

The IJidokaGlobalContext interface exposes the methods needed to save and retrieve data from the global context, which is a persistent key-value type storage. You can persist objects of any type only if they are serializable.

The global context is shared between every robotic process in the console, regardless of the permissions they have assigned.

  • T read(String id): reads the object ID passed as a parameter from the global context. If the specified identifier refers to an object that is locked by another execution, this method will wait until the lock ends to return the requested information.
  • IJidokaGlobalContextHolder<T> readAndWrite(String id, Function<T, T> function): This is an atomic operation that reads the object ID passed as the first parameter and writes it after applying the function specified in the lambda expression (passed in the second parameter). The method returns an aggregation with the original object and the modified one. If the specified identifier refers to an object that is locked by another execution, this method will wait until the lock ends to return the requested information.
  • T write(String id, T value): writes the object in the global context, overwriting it in case it already exists. If the specified identifier refers to an object that is locked by another execution, this method will throw an exception JidokaGlobalContextBlockedByAnotherExecutionException.
  • boolean remove(String id): removes an object identified by the parameter ID from the global context. It returns true only if the object is actually removed.

Get data about executions

The IExecution interface provides methods to get the values from executions, as well as capabilities such as programmatically launching robotic processes. It is necessary to differentiate between a current execution and previous executions, for which you must use the ICurrentExecutionDetail and IPreviousExecutionDetail interfaces.

Methods to retrieve information

Use the server.getExection(int executionNumber) method to request a specific execution. In addition to the ICurrentExecutionDetail and IPreviousExecutionDetail interfaces, there are a few other methods that allow you to retrieve information from the robotic process.

  • String getRobotName(): Returns the ID of the robot. The ID is a unique identifier set when the robotic process is created.
  • ICurrentExecutionDetail getCurrentExecution(): For the current execution, gets the execution number, date, description, resource, and parameters.
  • List<IPreviousExecutionDetail> getPreviousExecutions(): For the previous executions, gets the result, total number of items processed, total number of items with an OK result, and the total number of items with a WARN result.
  • List<IRobotExecutionDetail> robotExecutions(): Gets all executions that are queued or running at the current time. RPA's permission system is still valid in this method. The robotic process using this method must share a permission with the robotic process execution to be able to retrieve that information.
Current execution information

The ICurrentExecutionDetail interface gets information about the current execution. The following code shows how to get an instance of this interface for a specific robotic process:

1
ICurrentExecutionDetail currentExecution = server.getExecution(0).getCurrentExecution();

A value of 0 is passed in to the getExecution(int n) method to obtain an object of IExecution. Then, we will be able to get a reference to ICurrentExecutionDetail. This interface provides information through the following methods:

  • int getExecutionNumber(): returns the execution number.
  • long getExecutionDate(): returns the time when the execution started as a long.
  • String getExecutionDescription(): returns the description of the execution.
  • Map<String, String> getWorkflowParameters(): returns the parameters passed to the execution as a Map, whose key is the name of the parameter and the value is a String that represents the real value of the parameter.
  • String getPlanetName(): returns the resource identifier where the robotic process is executed.
  • String getPlanetCustomName(): returns the resource name where the robotic process is executed.
  • String getUsername(): returns the user name who launched the execution.
  • boolean isTesting(): whether the execution is marked as testing or not.
Previous execution information

The IPreviousExecutionDetail interface gets information about a finished execution. For this reason, it will return more information because data about the execution results is already known.

To get information about previous executions, use the getExecution(int n) method of IJidokaContext, indicating the number of finished executions to retrieve. As in the previous example, the code to get this information is as follows:

1
List<IPreviousExecutionDetail> previousExecutions = server.getExecution(10).getPreviousExecutions();

This method could potentially get information about several executions, so the getPreviousExecutions() method returns a list of objects of type IPreviousExecutionDetail. If you pass 10 as the parameter value, the method obtains the last 10 executions of the robot, if that many exist, from the most recent to the oldest.

IPreviousExecutionDetail contains all the same methods as the ICurrentExecutionDetail interface, plus:

  • EExecutionResult getResult(): returns the result of the execution, represented by the EExecutionResult enumerator.
  • int getItemsTotal(): returns the total number of items that were processed in the execution.
  • int getItemsOk(): returns the number of items processed with OK.
  • int getItemsWarn(): returns the number of items processed with warnings.
Queued and in process execution information

The IRobotExecutionDetail interface shows information about executions currently in progress or queued waiting for a resource.

To obtain this information, invoke the robotExecutions() method of the execution obtained through the method getExecution(int n):

1
List<IRobotExecutionDetail> actualExecutions = server.getExecution(0).robotExecutions();

IRobotExecutionDetail contains all the same methods as the IPreviousExecutionDetail interface, plus:

  • String getRobotName(): Returns the robotic process's id.
  • Map<String, String> getResultProperties(): These properties represent the global result status from a functional point of view, it can be used to easily extract information from other computational systems.
Methods for launching robots

To programmatically launch a robotic process, the interface exposes an overloaded method launchRobot(). Depending on the parameters passed, it allows you to launch the robot, launch it on the same resource as the current robot, and launch the robotic process with parameters. These parameters can be used to pass values for the robotic process's parameters.

  • void launchRobot(String robotName): launches the robotic process whose name matches the robotName.
  • void launchRobot(String robotName, boolean mustBeHere): launches the robotic process on the current resource or on any other resource with the necessary permissions, depending on whether mustBeHere is true or false.
  • void launchRobot(String robotName, boolean mustBeHere, String description, List<ExecutionParameter> parameters): launches the robotic process on the same resource with the specified parameters. It receives a list of parameters. Each parameter attribute name must match the name given to the parameter in the console.
  • void launchRobot(String robotName, String resource, String description, List<ExecutionParameter> parameters): launches the robotic process on the specified resource. If the parameter resource is null, the robotic process will run on the first available resource. You can specify execution parameters.
Launch a robotic process with execution options

All these methods can be emulated with the next one:

  • void launchRobot(LaunchOptions options)

With the LaunchOptions support class, it is possible to define execution options, except for the robotic process and resource. The options include:

  • robotName(String name): defines the robotic process name.
  • mustBeHere(boolean b): indicates that the current resource must be used or any other else.
  • node(String n): indicates the name of the resource where the robotic process must be launched.
  • description(String d): description of the execution.
  • *parameters(List p)*: parameters for the robotic process.
  • deferredDate(long l): specifies that the execution must be launched in the future as defined by the parameter.
  • executionsToLaunch(int n): specifies how many executions have to be launched.
  • queueId: assigns a pre-selected queue when the execution is launched.

Remember that an execution is subject to the availability of a free resource. Therefore, the execution will queue awaiting a resource, just as it does when manually launched from the console.

Rest of the methods

The following methods are included in the IExecution interface:

  • boolean isRobotAllowedNow(String robotId): Checks that the specified robotic process can be executed attending the restrictions in the console configuration.
  • Map<EPlanetToRunRobot, List <String>> planetsForRobot(String robotId): Obtains a Map with the list of all the resources and their status related to the robotic process passed as parameter. When null is passed, the method gets the information for the current robot. This method is useful to know what resources are compatible with a robotic process.
  • IExecutionPendingWithHigherPriority existsExecutionPendingWithHigherPriority(): Checks that one or more pending executions with higher priorities exist and are compatible with the current resource.

Send information to the server

The Log interface provides methods that allow you to send log information to the server. This information will be shown in the execution log and it can be of type trace, debug, info, warn, error, or fatal. The log messages are sent through the following methods, in order of increasing severity:

  • server.trace("This is a trace message");
  • server.debug("This is a message provided by the debugger");
  • server.info("Informative message");
  • server.warn("Warning message");
  • server.error("This is an error message");
  • server.fatal("A fatal error has occurred");

Messages should be sent to the server depending on the message they are trying to convey. For example, the debug messages help with development, while the info messages help monitor and understand the log.

The IJidokaContext, IJidokaStatistics, and Log interfaces provide great versatility to the interface IJidokaServer when it comes to communicating with the server, resuming a robotic process at a certain task (avoiding starting an interrupted task over again), and other actions that help monitoring the robotic process's operation (such as sending screenshots of steps that may be of interest).

Interact with screen elements

The IJidokaRobot, IClient, and IWindows interfaces represent the robotic process.

IJidokaRobot offers methods that allow you to use screen elements such as the keyboard and the mouse. Its methods also help adapt the working speed to a human's working pace when necessary through actions such as pausing the execution.

IWindows is suitable for robots running on Windows operating systems and inherits all its functions and capabilities from IJidokaRobot. It offers Windows low-level handling and control support. A robotic process running on Windows systems could use:

1
IWindows windows = IWindows.getInstance(this);

This accesses methods for Windows handling and control offered by IWindows. However, if you need to ensure that your automation can be executed on any operating system, use the IClient interface. This interface also inherits from IJidokaRobot, but the available methods are valid on any operating system:

1
IClient client = IClient.getInstance(this);

Additionally, you can use an ILinux instance. Appian RPA instantiates the following interfaces:

  • When you use IWindows.getInstance(this), IWindows will always request an IWindows instance to JidokaFactory.
  • When you use IJidokaRobot.getInstance(this), IJidokaRobot will determine which instance is required to JidokaFactory depending on the operating system. If it is Mac, the IJidokaRobot instance will be returned. If it is Windows it will return an IWindows instance. If it is Linux, it will return an ILinux instance.

The next section defines the methods provided by IJidokaRobot, which are inherited by IWindows and ILinux. Additional methods in IWindows are described later.

IJidokaRobot methods

IJidokaRobot provides other methods to help us in other common tasks.

Copy/paste information with the clipboard

It's very common to copy or paste information using a computer's clipboard. Appian RPA can do these tasks with two methods: clipboardSet(String value) to save the value to the clipboard, and clipboardGet() to return a String with the information contained in the clipboard.

Repeating actions

The repeat() method allows you to perform an action repeatedly. It receives three arguments: a lambda expression with the action, the number of repetitions, and the pause duration between iterations. An example is shown below:

1
client.repeat(IWorker action, int repetitions, long millis)

This method can be helpful to perform repeated keystrokes and then pause for each iteration. For example:

1
client.repeat(() -> keyboard.tab(), 3, 1000);

This will press the tab key three times, waiting one second between each keystroke. IJidokaRobot has more methods, such as antiScreenSaver() to perform a slight mouse movement to prevent the screensaver to start or stop it if it is active. Along with this method there are activateScreenSaver() and deactivateAntiScreenSaver(), used to activate and deactivate this capability.

Other methods, like waitCondition, are detailed in a later section.

IWindows methods

The IWindows interface inherits many methods from IJidokaRobot and provides a lot of Windows-specific functionalities. If your robotic process is going to run on a Windows operating system and operate applications which run on Windows, use this interface. The UIAutomation module is preferred for handling Windows over this interface.

The example below shows how to get an instance of IWindows on Windows environments:

1
IWindows windows = IWindows.getInstance(this);

IWindows uses JNA (Java Native Access) for easier windows handling.

IWindows contains the following methods:

  • HWND getForegroundWindow(): provides a handler for the application window in the foreground.
  • String getActiveWindowTitle(): gets the active window's title in String format.
  • HWND getActiveWindow(): gets the active window's HWND, which is only valid it we are the window's owners. Most of the times we should use getForegroundWindow().
  • boolean isWindowVisible(HWND hWnd): determines whether the window represented by HWND is visible or not.
  • boolean activateWindow(String regexp): activates the window specified by regular expression to find the window by its title. For example, when you open the Notepad, the application window title is "Untitled - Notepad". Use this method:

    1
    
      robot.activateWindow("Untitled - No.*");
    
  • WindowInfo getWindow(String regexp): gets the object WindowInfo, from a regular expression. WindowInfo implements IActionable, so you can use the IActionable methods in the window. For example, this code sample shows how to click with the left mouse button on the coordinates (100, 50) relative to the window that we have just obtained with the method getWindow("Untitled – N.*"):

    1
    
      robot.getWindow("Untitled - No.*").mouseLeftClick(new Point(100,50));
    

    Conversely, this example show how to click with the left mouse button on the coordinates (100, 50) of the screen, which most likely won't match the previous coordinate:

    1
    
      robot.mouseLeftClick(new Point(100,50));
    
  • String getWindowText(HWND hWnd): obtains the text from the window or control specified by hWnd.
  • RECT getWindowRect(HWND hWnd): obtains the object RECT (com.sun.jna.platform.win32.WinDef.RECT) from the window specified by hWnd.
  • WINDOWINFO getWindowInfo(HWND hWnd): gets the object WINDOWINFO (com.sun.jna.platform.win32.WinDef.WINDOWINFO) from the window specified by hWnd.
  • String getWindowClassName(HWND hWnd): returns the Windows class name of the window specified by hWnd.
  • WindowInfo getWindowInfoClass(HWND hWnd): returns an instance of WindowInfo from the HWND specified by hWnd.
  • boolean showWindow(HWND hWnd, EShowWindowState cmdShow): shows the window specified by hWnd, specified by cmdShow, of type EShowWindowState. This is an enum type which contains several ways of showing a window. The possible values are:
    • SW_FORCEMINIMIZE: minimizes the window, even if the process is not responding.
    • SW_HIDE: hides the window and activates the next one.
    • SW_MAXIMIZE: maximizes the window, but does not activate it.
    • SW_MINIMIZE: minimizes the window and activates the one immediately above it in the desktop windows queue.
    • SW_RESTORE: activates and shows the window. If the window is minimized or maximized, it is restored it to its original position and size.
    • SW_SHOW: activates the window and shows it in its current position and size.
    • SW_SHOWDEFAULT: shows the window in the position and size that were determined when the process that created the window was launched.
    • SW_SHOWMAXIMIZED: activates the window and maximizes it.
    • SW_SHOWMINIMIZED: activates the window and minimizes it.
    • SW_SHOWMINNOACTIVE: similar to SW_SHOWMINIMIZED but it does not activate the window.
    • SW_SHOWNA: similar to SW_SHOW but it does not activate the window.
    • SW_SHOWNORMAL: activates and shows the window. If the window is minimized or maximized, it is restored it to its original position and size.
    • SW_SHOWNOACTIVATE: shows the window using its most recent position and size, but it does not activate it.
  • List<WindowInfo> enumWindows(): obtains a list of objects WindowInfo with the main windows. WindowInfo, which also implements IActionable, is a container that stores the information related to a window. It allows you to get an object Rectangle (java.awt.Rectangle) for the window, perform mouse operations on the window, and obtain and modify the object WINDOWINFO (com.sun.jna.platform.win32.WinUser.WINDOWINFO).
  • List<WindowInfo> enumChildWindows(HWND parent): similar to the previous method, gets a list of WindowInfo objects, each of which is a child of a window identified by the parent.
  • boolean destroyWindow(HWND hWnd): closes and clears the window identified by hWnd.

The following methods are related to Windows controls. Although, as mentioned above, we recommend using the UIAutomation module:

  • HWND getControl(HWND hWndParent, int id): gets the handler of a Windows control whose container is the one identified by hWndParent, using the control id.
  • int getControlId(HWND hWndControl): gets the control id of the control identified by hWndControl.
  • boolean selectControlText(): selects the text within a control.
  • IField getField(Point location): obtains a text field located on the position specified by location. This method should only be used to work with text fields (Edit). The interface IField contains the following methods:
    • String getValue(): gets the text field value.
    • default void setValue(String value): sets the text field value.
    • void setValue(String value, boolean clean): sets the text field value, after erasing the previous text.
  • ICombo getCombo(HWND hWnd): returns an ICombo object, which enables access to these kind of controls. The parameter hWnd corresponds with a Windows type ComboBox control. The ICombo methods may not work if the HWND parameter is of any other Windows type or class. The ICombo interface has the following methods:
    • String getValue(): obtains the text from the currently selected item within the ComboBox.
    • void setValue(String value): establishes the selected item based on its text.
    • int getValueIndex(): obtains the currently selected item index (0-based).
    • void setValueIndex(int index): establishes the selected item based on its index (0-based).

The following methods are related to the mouse and the cursor:

  • CursorInfo getCursorInfo(): obtains the current CursorInfo object. CursorInfo stores information about the mouse pointer. There are two important properties concerning CursorInfo:
    • CursorInfoStruct info is a container for the pointer structure, which inherits from com.sun.jna.Structure.
    • ECursorType type is an enum type which contains the different pointer types. The Appian RPA client provides information about the current pointer type through the "Element Inspector" menu.
  • boolean isCurrentCursor(ECursorType cursorType): returns true if the current pointer type is the one specified by cursorType. This is useful to know if the mouse pointer has changed after moving it to a specific position.
  • String copyAndGet(): represents the key combination Ctrl + C. It copies the current selection to the clipboard. If it can't access the clipboard or the selection is empty, it will return null.
  • String cleanCopyAndGet(): similar to the previous method, but this one previously cleans the clipboard. It returns null under the same conditions as the previous method.

Next, let's have a look at the process-related methods:

  • List<Process> enumProcesses(): returns a list of processes, which are represented by the class Process. This class is a representation of a Windows process.
  • void killProcess(String name): ends a process by its name. The Process property name returns the process's name including the .exe extension.
  • void killAllProcesses(String name, long pauseBetweenProcess): ends all processes specified by name, making a pause that lasts pauseBetweenProcess (expressed in milliseconds) after each process ending.
  • Process getProcess(String name): obtains the process by its name.

Other methods related to the IWindows interface are:

  • void setNumLock(boolean active): activates or deactivates NumLock depending on the active value.
  • void sendRawKey(int key, boolean pressed, int scanCode): low-level method that allows you to interact with the keyboard through the scan code associated with the key. This method is only valid for Windows systems. The parameters are as follows:
    • key: corresponds with the values of the Java class java.awt.event.KeyEvent. It only takes effect when scanCode is 0.
    • pressed: indicate whether to press or release the key.
    • scanCode: value Windows uses to obtain the real key to be used, provided its value is different from 0.

    For example, to press the intro key in the numeric keypad, use the following code snippet:

    1
    2
    
      windows.sendRawKey(0, true, 0xe01c);
      windows.sendRawKey(0, false, 0xe01c);
    
  • void resetModKeys(): makes the operating system release the keys alt, shift, and control if any of them are pressed.
  • boolean virtualKeyPressed(int virtualKey): returns the key status. For example, you can check if the alt, shift, or control keys are pressed. The parameter may correspond with the values of the Java class java.awt.event.KeyEvent, though this Java class does not cover all the possibilities and you can also indicate some other values.
  • void setCapsLock(boolean active): If active is true, activates caps lock. If false, deactivates caps lock.

For more methods provided by this interface, consult the Javadocs in the Appian RPA Console. In the console, click Help > Javadoc in the left menu.

Use the keyboard

To emulate keyboard use, Appian RPA uses scan codes, also known as the "physical codes" associated with the keys.

Due to the diversity of keyboard distributions for different languages on the operating system, the scan codes may not represent the key that you want to press. For example, the character "?". The key assigned to the question mark is different for English and Spanish. If the operating system is working in English, the received character would be _, which is in the same keyboard position.

To account for this, you can change the keyboard distribution to use, so that the emulation is done through the key combination ALT+ number. This option is available by using the method setVariant of IJidokaRobot.

An exception is thrown when a character isn't supported, regardless of the keyboard distribution you are using.

IJidokaRobot provides the following methods for keyboard usage:

  • void typeText(String text): allows you to enter the text specified within text just as a human would do.
  • void typingPause(long millis): sets the duration the robotic process must pause (in milliseconds) after it has entered the text or an IKeyboardSequence. To override a default pause, set the parameter millis to 0.
  • long getTypingPause(): gets the duration the robotic process must pause (in milliseconds) after it has entered the text or an IKeyboardSequence.
  • void setVariant(EKeyboardVariant variant): changes the keyboard distribution, choosing either SCAN, which is the default option, or ALT.
  • IKeyboardSequence getKeyboardSequence(): gets an instance of the IKeyboardSequence interface.
  • IKeyboardSequence keyboardSequence(): similar to the previous method, returns an instance of IKeyboardSequence.
  • IKeyboard getKeyboard(): gets an instance of the IKeyboard interface.
  • IKeyboard keyboard(): similar to the previous method, returns an instance of IKeyboard.
  • void typeText(IKeyboardSequence sequence): allows you to process key combinations through IKeyboardSequence.

As you can see, the method typeText is overloaded. It accepts both text (String text) and IKeyboardSequence (IKeyboardSequence sequence). The IKeyboardSequence and IKeyboard interfaces are described below.

Use the keys with IKeyboardSequence

Every time you press Ctrl + C to copy, Ctrl + V to paste or Alt + F4 to close a window in most applications, you are executing keystroke sequences. The IKeyboardSequence interface lets you enter such sequences using the robotic process. You can also accomplish other actions such as entering text or caps locking. You can chain calls to this interface's methods so that several methods make up a full key sequence or text typing.

To get an instance of IKeyboardSequence, enter the following:

1
robot.getKeyboardSequence();

Once you obtain the instance, add the necessary methods to build the key sequence. Use the type() method to enter text and keystrokes. Let's see some examples.

Type text or activate keys

In this example, the goal is to enter some text or one keystroke by using IKeyboardSequence. This example uses the type(String text) method of IKeyboardSequence. The following code applies the sequence just as a human would:

1
robot.getKeyboardSequence().type("Example text).apply();

Using IKeyboardSequence to enter text is recommended if it is part of a keystroke sequence or other key combination. If you only want to enter text, it is more appropriate to use the typeText() method of IJidokaRobot:

1
robot.typeText("Example text);

The type() method is an emulation of a keystroke. This code will engage the "r" key, for example:

1
robot.getKeyboardSequence().type("r").apply();

One of the overloaded versions of the type method allows you to specify how many times you want to engage the key:

type(String text, int repetition):

For example, this code will engage the "r" key three times.

1
robot.getKeyboardSequence().type("r", 3).apply();
Key sequences and common combinations

IKeyboardSequence also provides a number of methods that simplify certain keystrokes.

The press(int key) and release (int key) methods respectively press and release the specified key using the key code. When using the press method, the key will remain pressed until it is released with the release() method. The integer representing the key in these methods must match the values provided by the Java class java.awt.event.KeyEvent.

Some frequently used combinations, such as pressing Alt + key or Ctrl + key, are made easier with specific methods. For example, you could use pressAlt() and releaseAlt(), which respectively press and release the Alt key. The following example shows the sequence with Alt + E:

1
robot.getKeyboardSequence().pressAlt().type("e").releaseAlt().apply();

The alternative is:

1
robot.typeText(robot.getKeyboardSequence().pressAlt().type("e").releaseAlt());

There are additional methods for specific actions, such as pressShift and releaseShift, or pressControl and releaseControl. Remember that it is important to release the key that have been previously pressed.

There are also some methods to press and release keys in the same action, such as typeReturn(), typeTab(), typeControl(), and typeEscape(). There is even a method that emulates the sequence Alt + Fx: typeAltF(int numberF). The following example shows the Alt + F2 key sequence:

1
robot.getKeyboardSequence().typeAltF(2).apply();

Additionally, these methods are overloaded to specify how many keystrokes you want. This way, you can easily move throughout a form, for example, by using the method typeTab( int repetitions). Other methods resolve some common tasks. For example, the following line is equivalent to "select all".

1
robot.getKeyboardSequence().selectAll().apply();
Other common keys

There are also methods to emulate other keystrokes such as Home, End, Page Up, Page Down, and the up, down, left and right arrows. The following code sample emulates a keystroke of the up arrow key and two keystrokes of the right arrow key. The second line presses the Page Down key.

1
2
robot.getKeyboardSequence().up().right(2).apply();
robot.getKeyboardSequence().pageDown().apply();

Many of these methods are overloaded and accept an integer parameter to indicate the number of keystrokes needed for the specified key.

Pauses

Sometimes you may need the robotic process to pause within a sequence. To make IKeyboardSequence do so, use the pause method. The following code emulates a keystroke on the space bar, followed by a pause, a keystroke on the E key, and the Return key:

1
robot.getKeyboardSequence().typeSpace().pause().type("e").typeReturn().apply();
Scan codes in IKeyboardSequence

The IKeyboardSequence interface uses key scan codes to interact with the less common keys or those which are not represented by a single character. For example, the keys located on the numeric pad can't be represented like their counterparts on the conventional keyboard. The following methods work properly only on Windows systems:

  • IKeyboardSequence pressScanCode(int scanCode): presses the key associated with the scanCode.
  • IKeyboardSequence releaseScanCode(int scanCode): releases the key associated with the scanCode.
  • IKeyboardSequence typeScanCode(int scanCode): presses and releases the key associated with the scanCode.

For example, the following code shows how to press the intro key on the numeric pad:

1
windows.getKeyboardSequence().typeScanCode(0x0e01c).apply();

Simplified keystrokes with IKeyboard

IKeyboard is very similar to IKeyboardSequence but it simplifies even more the emulation of the most common keystrokes. The main difference is that each method emulates the keystroke directly. To get an instance of IKeyboard, use:

1
robot.keyboard();

Some methods are similar to their counterparts in IKeyboardSequence. For example, type (String text) or type (String text, int repetition), and some others simplify the simultaneous keystrokes, such as alt (String letter), altF (int numberF) or control (String letter).

The pause method in IKeyboard is overloaded and allows you to set the pause duration in milliseconds: pause (long millis).

IKeyboard aims to simplify some keyboard functions already provided by IKeyboardSequence.

For example, with IKeyboardSequence you could emulate the key sequence Ctrl + E using this code:

1
robot.getKeyboardSequence().pressControl().type("e").releaseControl();

But with IKeyboard, you can simplify it to:

1
robot.keyboard().control("e");
Scan codes in IKeyboard

The IKeyboard interface uses the same methods and scan codes as IKeyboardSequence to let you work with the keys at a low level. For example, the following code shows how to press the intro key on the numeric pad:

1
windows.getKeyboard().scanCode(0xe01c);

Using the mouse

IJidokaRobot inherits methods from IActionable, which is an interface that provides methods for mouse handling as well as other capabilities and access to objects that we will need to manage the mouse.

For example, the getRectangle() method returns the Rectangle (java.awt.Rectangle) of the screen. A Rectangle object represents a rectangular area which is determined by x/y coordinates representing its upper left-hand corner, its width and height, as well as many other properties and useful methods.

Moving the cursor

The mouseMove() and mouseMove(Point coordinates) methods move the cursor to the object's upper left-hand corner or to the position specified by coordinates. The coordinates are relative to the object's upper left-hand corner. The mouseMoveToCenter() method moves the cursor to the object's center.

Clicking an object

There are several methods for clicking an object:

  • clickOnCenter() emulates clicking on an object's center.
  • mouseLeftClick() and mouseLeftClick(Point coordinates) emulate left-clicking.
  • mouseRightClick() and mouseRightClick(Point coordinates) emulate right-clicking.

There are also methods to emulate double-clicking an object: mouseDoubleLeftClick() and mouseDoubleLeftClick(Point coordinates).

Pauses

IJidokaRobot also contains a pause method to adapt the robot's working speed to the applications it is using. You can specify the pause duration with pause(long millis).

The defaultPause(long millis) method sets the pause's default duration in milliseconds. The robotic process will pause for this time each time it calls the pause() method without a specific duration parameter.

You can also use the characterPause(long millis) method, which allows you to set a pause between characters while typing a text string to mimic how long it might take a human to type the words.

Dynamic pauses

Appian RPA robotic processes must adapt their working pace to the applications they're using. This means that it should consider that applications have been designed to be used by a human. You can use methods to set the robotic process's pace so it doesn't overwhelm or work faster than the applications it interacts with.

This waiting time will depend on a number of factors such as the performance of the machine on which the robotic process is running (processor, RAM, virtual environment), the execution speed of the application itself (it must previously load certain modules or files), or the machine overload at that time.

The pause (pause() and pause(long millis)) methods pause a robotic process execution for a fixed amount of time. However, there may be occasions when the developer needs a way to optimize this waiting time. The waitCondition method and the IWaitFor interface address this issue.

Pause and wait for a condition

The waitCondition method makes the robotic process pause and wait for a certain condition to resume. The method's signatures are:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
<T> boolean waitCondition(int numberOfAttempts, 
    long pauseInMillisBetweenAttempts, 
    String logName,
    T context,
    ICondition<T> condition)

<T> boolean waitCondition(int numberOfAttempts, 
    long pauseInMillisBetweenAttempts, 
    String logName,
    T context, 
    boolean throwExceptionIfNotSatisfied,
    ICondition<T> condition)
    throws JidokaUnsatisfiedConditionException

<T> boolean waitCondition(Date untilDate, 
    long pauseInMillisBetweenAttempts, 
    String logName,
    T context, 
    ICondition<T> condition);

<T> boolean waitCondition(Date untilDate, 
    long pauseInMillisBetweenAttempts, 
    String logName,
    T context, 
    boolean throwExceptionIfNotSatisfied, 
    ICondition<T> condition)
    throws JidokaUnsatisfiedConditionException;

The two first methods are similar, except that the second one throws an exception of type JidokaUnsatisfiedConditionException if the condition has not been met after a specified number of attempts. The third and fourth methods are also similar, except for the exception. The main difference between both versions is that the two first methods base the wait on a specified number of attempts (int numberOfAttempts), whereas the two last methods use a specific moment in time (Date untilDate):

  • int numberOfAttempts: indicates how many times the robotic process will check whether the condition is met.
  • Date untilDate: indicates the point in time the robotic process will stop checking whether the condition is met.

Additional parameters are:

  • long pauseInMillisBetweenAttempts: time lag between attempts, expressed in milliseconds.
  • String logName: text that identifies the condition in the log.
  • T context: context.
  • ICondition<T> condition: the condition to be met.
  • boolean throwExceptionIfNotSatisfied: determines whether the exception should be thrown or not in case the condition is not met.

Here is an example of a robotic process that wants to open WordPad to work with it:

1
2
3
4
5
6
7
robot.waitCondition(10,
    3000, 
    "WordPad opened", 
    null, 
    true, 
    (i, context) -> 
        robot.getWindow("Document - WordPad.*") != null);

The robotic process will wait until WordPad is open. In this case, it will make 10 checks (or attempts), waiting for 3 seconds (3000 milliseconds) after each attempt. The condition is identified in the log by the text "WordPad opened". An exception of type JidokaUnsatisfiedConditionException should be thrown if the condition is not met after all attempts have been made. Additionally, if the condition is not met after all the attempts, a screenshot will be sent to the execution log to check why the condition has not been met.

The condition is represented by the Lambda Expression. It refers to the following method, found in the ICondition<\T> functional interface:

1
boolean satisfied(int numberOfAttempt, T context);

A functional interface is any interface with only one abstract method and may be annotated with @FunctionalInterface.

Lambda expressions allow you to simplify the code and perform in-line implementations of functional interfaces. In the example, the code snippet is passed as a parameter. A lambda expression encapsulates a specific functionality.

Since the interface ICondition has only one abstract method, the example passes a lambda expression as a parameter to the waitCondition method:

1
(i,context) -> robot.getWindow("Document - WordPad.*") != null

The condition is that robot.getWindow("Document - WordPad.")* is not null, which means that WordPad has started properly and is available to interact with it.

The getWindow(String regexp) method belongs to the IWindows interface. It returns a WindowInfo object corresponding with the window whose title matches the regular expression in the regexp parameter. This example uses the pattern Document - WordPad.*.

Wait for pre-defined conditions

The IWaitFor interface simplifies managing the robotic process's waits. This interface has pre-implemented conditions to search for images, files, or windows. There is no need to implement the satisfied method described in the previous section. Access it through IJidokaRobot using the methods:

  • IWaitFor getWaitFor(IRobot robot)
  • IWaitFor waitFor(IRobot robot)

Both methods are similar and return an instance of the interface IWaitFor.

Let's analyze this interface:

  • static final int DEFAULT_TIMEOUT_SECONDS = 30: the default timeout, expressed in seconds.
  • void defaultTimeOutSeconds(int timeOutSeconds): allows you to set the default timeout, through the parameter timeOutSeconds.
  • int getDefaultTimeOutSeconds(): gets the value of the default timeout.
Wait for an image on screen
  • boolean image(File file) throws IOException: waits for an image (file parameter) to appear on screen for the default timeout. This means that once the timeout expires, it will stop waiting and will return false.
  • boolean image(File file, int timeOutSeconds) throws IOException: similar to the previous method, but this one allows you to set the duration of the timeout through the timeOutSeconds parameter.
  • boolean image(File file, float tolerance) throws IOException: performs the same functionality as image (File file) and allows you to set the tolerance. This concept is discussed in the Falcon module. Tolerance is how close an image should be with respect to a pattern to accept it. For example, given an image A, which acts as a pattern and is specified in file, the robotic process will search on screen for an image B that matches A within the range defined by tolerance. This value is of type float and will range between 0f and 1f. Typically, tolerance values of .05f give good results.
  • boolean image(File file, float tolerance, int timeOutSeconds) throws IOException: like the previous method, but this one allows you to set the duration of the timeout through the timeOutSeconds parameter.

Other versions of these methods differ only on the type of object used as a pattern for the image to be searched. For example, you can use:

  • An InputStream object:

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    
      boolean image(InputStream inputStream) throws IOException;
        
      boolean image(InputStream inputStream, int timeOutSeconds)
          throws IOException;
        
      boolean image(InputStream inputStream, float tolerance)
          throws IOException;
        
      boolean image(InputStream inputStream, float tolerance,
        
      int timeOutSeconds) throws IOException;
    
  • A URL object:

    1
    2
    3
    4
    5
    6
    7
    8
    9
    
      boolean image(URL url) throws IOException;
        
      boolean image(URL url, int timeOutSeconds) throws IOException;
        
      boolean image(URL url, float tolerance) throws IOException;
        
      boolean image(URL url, float tolerance,
        
      int timeOutSeconds) throws IOException;
    
  • An ImageInputStream (javax.imageio.stream.ImageInputStream) object:

    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    
      boolean image(ImageInputStream imageInputStream) throws IOException;
        
      boolean image(ImageInputStream imageInputStream, int timeOutSeconds)
          throws IOException;
        
      boolean image(ImageInputStream imageInputStream, float tolerance)
          throws IOException;
        
      boolean image(ImageInputStream imageInputStream, float tolerance,
        
      int timeOutSeconds) throws IOException;
    

There are also several methods to wait for an image to appear on screen, among a set of candidate images. When one of them is detected, the method will return that image. Once an image has been found, its description will be sent to the execution log.

1
2
IImageResource image(IImageResource... images) throws IOException
IImageResource image(int timeOutSeconds, IImageResource... images) throws IOException

There are also methods that wait for a window to appear:

  • String window(String… windowTitleRegExp): given a series of regular expressions specified by windowTitleRegExp, this method waits for a window whose title matches one of the expressions to appear, and returns the regular expression that has been met, or null otherwise.
  • String window(int timeOutSeconds, String… windowTitleRegExp): similar to the previous method, this one allows you to specify the maximum waiting time.

The following methods allow you to wait for window to be activated:

  • String windowActive(String… windowTitleRegExp): this method waits for an active window whose title matches one of the titles specified in the windowTitleRegExp parameter, using the default waiting time. If none is found, it will return null.
  • String windowActive(boolean throwExceptionIfNotSatisfied, String… windowTitleRegExp): similar to the previous method, but you can also specify whether an exception should be thrown if nothing is found, or not.
  • String windowActive(int timeOutSeconds, String… windowTitleRegExp): this version of windowActive allows you to specify the waiting timeout as a parameter.
  • String windowActive(int timeOutSeconds, boolean throwExceptionIfNotSatisfied, String… windowTitleRegExp): this version of windowActive joins the three previous functionalities: you can specify the waiting timeout and whether an exception should be thrown or not if no active window is found.
  • String windowActive(int timeOutSeconds, boolean throwExceptionIfNotSatisfied, boolean saveScreenIfNotSatisfied, String… windowTitleRegExp): similar to the previous method, but you can also specify whether to capture and send a screenshot to the execution log if no active window is found.

You can also wait for the mouse cursor to change appearance. The Appian RPA enum type ECursorType represents the possible kinds of cursors available. For further information please refer to LoadCursor function.

  • ECursorType cursor(ECursorType… types): waits until the mouse cursor turns into one of the values of ECursorType specified by types, and returns the ECursorType value detected, or null if no match was found after the default waiting timeout.
  • ECursorType cursor(int timeOutSeconds, ECursorType… types): like the previous method, but this one allows you to set the duration of the timeout through the timeOutSeconds parameter.

With these methods you can wait for files to exist:

  • File file(File… files) throws IOException: waits until one of the specified files exists, and returns the matching file, or null if no file has been found after the default timeout.
  • File file(int timeOutSeconds, File… files) throws IOException: like the previous method, but this one allows you to set the duration of the timeout through the timeOutSeconds parameter.
Using conditions

In addition to the predefined conditions explained above, IWaitFor provides the wait() method. This method enables the evaluation of an IEasyCondition. IEasyCondition is a functional interface to build conditions that should be met, implementing the boolean satisfied() method in the same way as the interface ICondition.

  • boolean wait(String logName, IEasyCondition condition)
  • boolean wait(int timeOutSeconds, String logName, IEasyCondition condition)

You can specify the descriptive text for the execution log through the logName parameter. In the second version of the method, you can also set the timeout (timeOutSeconds), expressed in seconds, which is the maximum time the robotic process will wait for the condition to be met.

Suppose you want your robotic process to wait 20 seconds for a window named "New document" to be active. To get the active window's title, use getActiveWindowTitle() of the interface IWindows, which returns the active window's title.

1
2
3
4
IWaitFor wf = robot.getWaitFor(this);
    wf.wait(20,
    "Waiting until the window "New document" is in the foreground ", 
    ()-> robot.getActiveWindowTitle().matches("New document"));

In this example, you have set:

  • timeOutSeconds: 20
  • logName: "Waiting until the window \\"Title example\\" is in the foreground"
  • condition: () -> robot.getActiveWindowTitle().matches("New document")

The condition (for which the robotic process will wait for 20 seconds) is the active window's title is or contains "New document". This example builds it using a lambda expression:

1
()-> robot.getActiveWindowTitle().matches("New document");

IWaitFor provides the following methods:

  • IEasyCondition windowExists(String windowTitleRegExp): this condition will be met if there is a window whose title matches the regular expression defined in windowTitleRegExp.
  • IEasyCondition cursorIs(ECursorType type): this condition will be met when the type of cursor is the one specified by type.
  • IEasyCondition fileExists(File file): this condition will be met when the file specified exists.

Lastly, you can combine IEasyCondition conditions using logical operators AND, OR, and NOT. To do so, the IWaitFor interface includes three methods whose parameters are one or more IEasyCondition conditions:

  • IEasyCondition and(IEasyCondition… conditions): returns one IEasyCondition that will be met if all the IEasyCondition passed as parameters are met (are true).
  • IEasyCondition or(IEasyCondition... conditions): returns one IEasyCondition that will be met if any of the IEasyCondition passed as parameters is met (is true).
  • IEasyCondition not(IEasyCondition condition): returns one IEasyCondition that will be met if the IEasyCondition received as a parameter is not met (is false).

To demonstrate how to use IEasyCondition, consider these three conditions:

  • A: the file "example.txt" must exist.
  • B: the window with the title "example.txt – Notepad" must be visible.
  • C: the 100th item must be processed (the variable int currentItem stores the current item).

Condition A will be met if the file "example.txt" exists, so you can use the fileExists(File file) method provided by IWaitFor:

1
wf.fileExists(new File("example.txt"));

Condition B will be met if a window with the title "example.txt – Notepad" is visible. Now, you'll need to create the IEasyCondition. Use the isWindowVisible(HWND hWnd) method of IWindows. This method accepts Windows handler as a parameter to identify a window's visibility. To get this handler, use the getWindow(String regexp) method. These methods and the interface IWindows are described in detail in IWindows methods.

Build the condition as a lambda expression, which only works in the proper context:

1
2
() -> robot.isWindowVisible(
    robot.getWindow("example.txt.*").gethWnd())

Condition C is quite simpler. Assuming that there is an integer type variable that stores the current item: int currentItem, IEasyCondition, as a lambda expression, will appear as:

1
() -> currentItem > 100

Now let's code several "nested" IEasyCondition examples:

Example 1: At least one of the three conditions, A, B, C must be met, that is, it's enough for us if any of them is met. The three conditions are passed as parameters to the or method (IEasyCondition… conditions):

1
2
3
4
5
6
7
wf.wait(
    20, "At least one of A, B, or C", 
    wf.or(
    wf.fileExists(new File("example.txt")), 
    () -> robot.isWindowVisible(robot.getWindow("example.txt.*").gethWnd()),
    () -> currentItem > 100)
);

For clarity, this example puts each IEasyCondition in a different line.

Example 2: The three conditions A, B, and C must be met. In this case, we just need to use the and method:

1
2
3
4
5
6
7
8
wf.wait(20, 
    "At least one of A, B, or C", 
    wf.and(
        wf.fileExists(new File("example.txt")), 
    () -> robot.isWindowVisible(
        robot.getWindow("example.txt.*").gethWnd()),
    () -> currentItem > 100)
);

You can create as many combinations as needed, of greater or lesser complexity. If you need more complex conditions, you can create your own classes to implement the IEasyCondition interface:

1
2
3
4
5
6
7
8
private class MyCondition implements IEasyCondition {

    @Override
    public boolean satisfied() {
        // Implement condition here
        return false;
    } 
}

And in use:

1
2
3
4
5
IWaitFor wf = robot.getWaitFor(this);

MyCondition cond = new MyCondition();

wf.wait(20, "My condition", cond);

Interacting with mail

The IMail interface allows you to send and receive mails. You can send mail from a resource or from the Appian RPA server. You can also attach files to the mail or send the content in HTML format or plain text.

It is worth highlighting that sending mail from the server or the resource only has an impact on which machine should have access to the mail server we are using from the robot. In other words, the only difference is the machine from which mail are sent.

To get an instance of the interface, use the following method:

1
IMail mail = IMail.getInstance(this);

The IMail interface has the following methods:

  • void sendMail(MailSendOptions options): sends an email with the information provided by the parameter options. The mail is sent from the resource on which the robotic process is running.
  • void sendMailFromServer(MailSendOptions options): similar to the previous method, but the mail is sent from the Appian RPA platform server.
  • ReceivedEmail[] receiveMail(MailReceiveOptions options): checks the mailbox specified by the parameter options and retrieves all existing messages.

These methods use the MailSendOptions and MailReceiveOptions classes, which have the necessary information to connect with the mail server. These classes provide a fluid API that allows you to easily define all the necessary information.

The MailSendOptions class allows you to send mail in HTML format or plain text. It also allows you to specify whether you want to use a cached session to send the mail from the server. Here are some of its methods:

  • MailSendOptions sslHost(boolean sslHost): allows you to specify whether the server connection will use SSL.
  • MailSendOptions host(String host): specifies the server that will be used to send the mails.
  • MailSendOptions port(int port): specifies the port to which the mail server is listening.
  • MailSendOptions username(String username): allows you to specify the username to access the mail server.
  • MailSendOptions password(String password): allows you to specify the password to access the mail server.
  • MailSendOptions fromAddress(String fromAddress): specifies the mail address from which the mail will be sent.
  • MailSendOptions toAddress(String… toAddress): allows you to specify the list of recipients of the mail.
  • MailSendOptions subject(String subject): specifies the mail subject.
  • MailSendOptions textContent(String textContent): allows you to specify the mail body in plain text.
  • MailSendOptions htmlContent(String htmlContent): allows you to specify the mail body in HTML format.
  • MailSendOptions attachments(MailAttachment attachment): allows adding attachment files to the mail by using the class MailAttachment.

An example to send a mail with HTML content would be:

1
2
3
4
5
6
7
8
9
10
11
12
// Create mail options from parameters
mailSendOptions = new MailSendOptions();

mailSendOptions.toAddress(server.getWorkflowParameters().get("notificationTo"))
        .fromAddress(server.getWorkflowParameters().get("notificationFrom"))
        .subject(server.getWorkflowParameters().get("notificationSubject"))
        .host(server.getWorkflowParameters().get("mailServerHost"))
        .port(Integer.parseInt(server.getWorkflowParameters().get("mailServerPort")))
        .username(server.getWorkflowParameters().get("mailServerUser"))
        .password(server.getWorkflowParameters().get("mailServerPassword"));
        
mail.sendMail(mailOptions);

Execute a script in the workflow

In the workflow, it is possible to call specific methods of the API to execute code. Currently, only Groovy scripts are supported.

When you add an action to a step in the workflow, you can select an option to execute code.

In the Modules menu, select either Execute code or Execute code with result in the Robot module area.

After you select a method, the right-side of the screen shows a few options:

  • Language: only GROOVY is supported.
  • Code: add the code to execute

Before giving an example of what code could be added, keep in mind that Appian RPA provides a context with several variables to be used, such us:

Before giving an example of what code could be added, keep in mind that Appian RPA provides a context with several variables to be used, such as:

  • server: the IJidokaServer instance that must exist in the robotic process.
  • robot: the robotic process itself, an instance of IRobot.
  • client: the instance of IClient that must exist in the robotic process.

Using these variables, you can invoke their attributes and methods. Additionally, it is possible to access to the robotic process parameters, which are available through the variable parameters, of type Map.

For example, you can send a log message of type info to the execution trace with the value of a robotic process attribute:

1
server.info(robot.negations[1])

In this case, the log would be written with the value of the position 1 of the negations attribute of the robot class.

To make this code work, the server and robot instances must exist in our robot, as well as an attribute in the robotic process called negations of type array.

FAQ

A sequence of key combinations using IKeyboardSequence is not working. What's happening?

Make sure that the apply() method has been called at the end of the sequence. Otherwise, the sequence will be created but won't be executed.

There are key combinations that do not work. How can this be solved?

In a robotic process, the keyboard behaves in the same way that it does when a person uses it. Therefore, if the numerical or uppercase block is active, a sequence of keys may not behave as expected.

It could also happen that after the completion of a robotic process, a key remains pressed by accident, such as Alt or Control. The best way to ensure the desired behavior is to reset the special keys before launching any combination of keys. For that, in the IWindows robotic process object, use the method windows.resetModKeys();

Why can't I write special characters?

Special characters may not be available on all machines.

For the robotic process to enter special characters, use scan codes, which are codes sent by the keyboard to the computer to indicate which key is pressed.

Scan codes are dependent on the selected language, so the same machine using the same scan code can produce different outputs depending on the selected language. For example, scan code 0x27 is ";" when language is English and "ñ" when language is Spanish. Refer to the constants defined in the KeyEvent class, to get the values of each Key.

In order to use the scan codes in your robotic process, use the following code snippet:

windows.getKeyboardSequence().typeScanCode(ENTER SCAN CODE HERE).apply();

Use these tutorials to learn more about the Client module:

Open in Github Built: Fri, Nov 04, 2022 (07:10:52 PM)

On This Page

FEEDBACK