Rajkumar Vasan
Rajkumar Vasan

Reputation: 712

Difference between DART Isolate and Thread (Java,C#)

For me The DART Isolate looks like a Thread (Java/C#) with a different terminology. In which aspect Isolate differs from a Thread?

Upvotes: 4

Views: 1116

Answers (1)

Chris Buckett
Chris Buckett

Reputation: 14398

Threads use shared memory, isolates don't.

For example, the following pseudocode in Java/C#

class MyClass {
  static int count = 0;
}

// Thread 1: 
MyClass.count++;
print(MyClass.count); // 1;

// Thread 2:
MyClass.count++;
print(MyClass.count); // 2;

This also runs the risk of the shared memory being modified simultaneously by both threads.

Whereas in Dart,

class MyClass {
  static int count = 0;
}

// Isolate 1: 
MyClass.count++;
print(MyClass.count); // 1;

// Isolate 2:
MyClass.count++;
print(MyClass.count); // 1;

Isolates are isolated from each other. The only way to communicate between them is to pass messages. One isolate can listen for callbacks from the other.

Check out the docs here including the "isolate concepts" section.

Upvotes: 7

Related Questions