What is the best way to track the state of an Isolate in Dart?

Issue

I’m trying to track whether the isolate is currently running or not (and in the future whether it has errored out) using isolate.addOnExitListener(…). However, the following snippet of code is not working how I would expect:

items.forEach((name, item) async {
      Isolate isolate = await Isolate.spawnUri(...);
      item.status = "running";
      ReceivePort receivePort = new ReceivePort();
      isolate.addOnExitListener(receivePort.sendPort);
      receivePort.listen((message){
        if (message == null) {
          print("Item exited: ${item.name}");
          item.status = "stopped";
        }
      });
});

The “items” map contains 3 values, each with a distinct name: item1, item2, item3

When I run this code, the only output I get is:
“Item exited: item3”

I expected the following output (not necessarily in order since isolates are asynchronous):
“Item exited: item1”
“Item exited: item2”
“Item exited: item3”

Here is the code being run in the isolates:

import 'dart:io';
main(List args) {
  print('Hello world: standard out!');
  stderr.writeln('Hello world: standard error!');
}

It seems like the closure is being lost. Am I doing something wrong here? Is there a better way to track the state of an isolate?

Thanks in advance!

Solution

If you want to make absolutely sure that you can install onExit and onError listeners in an isolate before any of the isolate’s code executes, then you can spawn the isolate paused. See documentation about spawnUri.

Here is an example:

var isolate = await Isolate.spawnUri(myUri, args, message, paused: true);
var receivePort = new ReceivePort();
isolate.addOnExitListener(receivePort.sendPort);

receivePort.listen((message){
  if (message == null) { // A null message means the isolate exited
    print("Item exited: ${item.name}");
    item.status = "stopped";
  }
});

isolate.resume(isolate.pauseCapability);

Once you have registered the appropriate listeners, you can start the newly created isolate with resume.

This is very similar to the suggestion of an initial handshake, but in this case it is builtin to the library.


Hope this helps,

-Ivan

Answered By – Ivan Posva

Answer Checked By – Robin (FlutterFixes Admin)

Leave a Reply

Your email address will not be published. Required fields are marked *