Flow control (stop-and-wait, sliding window) in Computer Networks - Time & Space Complexity
When sending data over a network, flow control methods decide how fast data moves between sender and receiver.
We want to understand how the time to send many packets grows as the number of packets increases.
Analyze the time complexity of sending packets using stop-and-wait and sliding window flow control.
// Stop-and-Wait flow control
for each packet in total_packets:
send(packet)
wait for acknowledgment
// Sliding Window flow control
window_size = W
while packets remain:
send up to W packets without waiting
wait for acknowledgments of sent packets
slide window forward
This code shows two ways to send packets: one waits after each packet, the other sends many before waiting.
Look at what repeats as we send packets.
- Primary operation: Sending packets and waiting for acknowledgments.
- How many times: Stop-and-wait waits after each packet, so it repeats send-and-wait for every packet. Sliding window sends multiple packets before waiting, repeating send-and-wait fewer times.
As the number of packets grows, the total time to send them changes differently for each method.
| Input Size (n) | Stop-and-Wait Approx. Operations | Sliding Window Approx. Operations |
|---|---|---|
| 10 | 10 send-wait cycles | About 2-3 send-wait cycles (if window size ~4-5) |
| 100 | 100 send-wait cycles | About 20-25 send-wait cycles |
| 1000 | 1000 send-wait cycles | About 200-250 send-wait cycles |
Pattern observation: Stop-and-wait grows linearly with packets. Sliding window reduces waiting by grouping packets, so it grows slower in practice.
Time Complexity: O(n)
This means the total time to send packets grows roughly in direct proportion to the number of packets, but sliding window reduces waiting overhead.
[X] Wrong: "Sliding window always sends packets instantly with no waiting, so it has zero delay regardless of packet count."
[OK] Correct: Even sliding window must wait for acknowledgments after sending a group of packets, so waiting still grows with total packets, just less often.
Understanding how flow control affects sending time helps you explain network efficiency and design better communication protocols.
What if we increased the sliding window size to cover all packets at once? How would the time complexity change?