Dart was traditionally designed to create single-page applications. And we also know that most computers, even mobile platforms, have multi-core CPUs. To take advantage of all those cores, developers traditionally use shared-memory threads running concurrently. However, shared-state concurrency is error-prone and can lead to complicated code. Instead of threads, all Dart code runs inside of isolates. Each isolate has its own memory heap, ensuring that no isolate’s state is accessible from any other isolate.
The isolates and threads are different than each other as in threads memory are shared whereas in isolates it is not. Moreover isolates talk to each other via passing messages.
To use isolates you have to add import 'dart:isolate'; statement in your program code.
Creating An Isolate In Dart
To create an isolate we make use of .spawn() method in Dart.
Syntax: Isolate isolate_name = await Isolate.spawn( parameter );
This parameter represents the port that will receive the message back.
Destroying An Isolate In Dart
To destroy the isolate we make use of .kill() method in Dart.
Syntax: isolate_name.kill( parameters );
We generally use spawn() and kill() together in a single program.
Example: Creating an isolate in Dart.
Dart
import 'dart:io' ;
import 'dart:async' ;
import 'dart:isolate' ;
Isolate geek;
void start_geek_process() async {
ReceivePort geekReceive= ReceivePort();
geek = await Isolate.spawn(gfg, geekReceive.sendPort);
}
void gfg(SendPort sendPort) {
int counter = 0;
Timer.periodic( new Duration(seconds: 2), (Timer t) {
counter++;
stdout.writeln( 'Welcome to GeeksForGeeks $counter' );
});
}
void stop_geek_process() {
if (geek != null) {
stdout.writeln( '--------------Stopping Geek Isolate--------------' );
geek.kill(priority: Isolate.immediate);
geek = null;
}
}
void main() async {
stdout.writeln( '--------------Starting Geek Isolate--------------' );
await start_geek_process();
stdout.writeln( 'Press enter key to quit' );
await stdin.first;
stop_geek_process();
stdout.writeln( 'GoodBye Geek!' );
exit (0);
}
|
Output:
--------------Starting Geek Isolate--------------
Press enter key to quit
Welcome to GeeksForGeeks 1
Welcome to GeeksForGeeks 2
Welcome to GeeksForGeeks 3
Welcome to GeeksForGeeks 4
Welcome to GeeksForGeeks 5
Welcome to GeeksForGeeks 6
Welcome to GeeksForGeeks 7
--------------Stopping Geek Isolate--------------
GoodBye Geek!
Hitting enter after seventh output.
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!