Community

Start a Thread


Notifications
Subscribe You’re not receiving notifications from this thread.

Nth Smallest Number in a Stream (Main Thread)

Here is the interview question prompt, presented for reference.

Many modern programming languages have the notion of a stream. A stream is a resource that's broken down and sent (usually over a network) in small chunks.

Imagine a video that's playing-- it would be inefficient to need to download an entire 1 gigabyte movie before being able to watch it. Instead, browsers will gradually download it in pieces.

Given a stream of numbers with an infinite length, can you find the nth smallest element at each point of the streaming?

In the below example, we are looking for the second smallest element.

// stream is the resource, the "..." represents future integers
const stream = [3, 4, 5, 6, 7, ...]
nthSmallestNumber(2); // 2nd smallest number
// [null, 4, 4, 4, ...] (4 is always second smallest)

Let's use a for-loop to simulate a stream. Your method will be called as follows:

for (let i = 0; i < 10; i++) {
  const newInt = Math.floor(Math.random() * 10) + 1;
  nthSmallestNumber(n);
  // return nth smallest number
}

Constraints

  • Length of the stream <= 100000
  • The values in the stream will be between -1000000000 and 1000000000
  • Expected time complexity : O(nlogn)
  • Expected space complexity : O(n)

You can see the full challenge with visuals at this link.

Challenges • Asked over 6 years ago by Jake from AlgoDaily

Jake from AlgoDaily Commented on Nov 30, 2017:

This is the main discussion thread generated for Nth Smallest Number in a Stream.