Print in Order - Multi Threading - Easy - LeetCode
💻 coding

Print in Order - Multi Threading - Easy - LeetCode

1 min read 273 words
1 min read
ShareWhatsAppPost on X
  • 1The class Foo manages three threads that must execute methods in a specific order: first, second, and third.
  • 2Semaphores are used to control the execution flow of the threads, ensuring proper synchronization.
  • 3The program guarantees that even with asynchronous thread execution, the output will always be 'firstsecondthird'.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The class Foo manages three threads that must execute methods in a specific order: first, second, and third."

Print in Order - Multi Threading - Easy - LeetCode

Suppose we have a class:

public class Foo { public void first() { print("first"); } public void second() { print("second"); } public void third() { print("third"); } } The same instance of Foo will be passed to three different threads. Thread A will call first(), thread B will call second(), and thread C will call third(). Design a mechanism and modify the program to ensure that second() is executed after first(), and third() is executed after second().

Example 1:

Input: [1,2,3] Output: "firstsecondthird" Explanation: There are three threads being fired asynchronously. The input [1,2,3] means thread A calls first(), thread B calls second(), and thread C calls third(). "firstsecondthird" is the correct output. Example 2:

Input: [1,3,2] Output: "firstsecondthird" Explanation: The input [1,3,2] means thread A calls first(), thread B calls third(), and thread C calls second(). "firstsecondthird" is the correct output.

Note:

We do not know how the threads will be scheduled in the operating system, even though the numbers in the input seems to imply the ordering. The input format you see is mainly to ensure our tests' comprehensiveness.

using System.Threading;

public class Foo {

 private readonly Semaphore first = new Semaphore(1,1);
 private readonly Semaphore second = new Semaphore(0,1);
 private readonly Semaphore third = new Semaphore(0,1);
 public Foo() {
 
 }

 public void First(Action printFirst) {
 first.WaitOne();
 // printFirst() outputs "first". Do not change or remove this line.
 printFirst();
 second.Release();
 }

 public void Second(Action printSecond) {
 second.WaitOne();
 // printSecond() outputs "second". Do not change or remove this line.
 printSecond();
 third.Release();
 }

 public void Third(Action printThird) {
 third.WaitOne();
 // printThird() outputs "third". Do not change or remove this line.
 printThird();
 first.Release();
 }
}

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

sumitc91

Published on 18 October 2020 · 1 min read · 273 words

Part of AskGif Blog · coding

You might also like