You are working on optimizing the workflow in a warehouse with a team of robots. There are k robots (identified by IDs 0 to k-1) that process orders. Orders arrive over time, and each order is represented as an object with the following properties:
- id (unique identifier)
- arrival (a non-negative integer representing the time the order arrives)
- duration (a positive integer representing the processing time for the order)
Simulation Rules
- Immediate Assignment: When an order arrives, if one or more robots are free at that moment, assign the order immediately.
- Choosing a Robot: If multiple robots are free at the arrival time, assign the order to the robot with the smallest ID.
- Waiting Queue: If no robot is free when an order arrives, the order waits in a queue in the order in which they arrived (first come, first served).
- Resuming Work: As soon as a robot becomes free, it picks the next order from the waiting queue (if any).
Task
Implement a function that simulates the assignment of orders to robots. Your function should take the following inputs:
- An integer
k
representing the number of robots.
- A list (or array) of orders, where each order is an object/dictionary with keys:
id
, arrival
, and duration
.
Your function should return a list of assignment objects. Each assignment object must contain:
order_id
: the id of the order
robot_id
: the id of the robot that processed the order
completion
: the time at which the order was finished processing
Example
For example, given:
k = 2
orders = [
{"id": 101, "arrival": 0, "duration": 5},
{"id": 102, "arrival": 1, "duration": 3},
{"id": 103, "arrival": 2, "duration": 4}
]
- At time 0, robot 0 takes order 101 and will finish it at time 5.
- At time 1, robot 1 is free and takes order 102, finishing at time 4.
- At time 2, order 103 arrives. Since both robots are busy (robot 0 until time 5 and robot 1 until time 4), order 103 waits in the queue.
- At time 4, robot 1 becomes available and takes order 103 (finishing at time 8).
The expected return would be similar to:
[
{"order_id": 101, "robot_id": 0, "completion": 5},
{"order_id": 102, "robot_id": 1, "completion": 4},
{"order_id": 103, "robot_id": 1, "completion": 8}
]
Additional Notes
- Orders may not be provided in sorted order by their arrival times, so make sure to process them accordingly.
- Efficiency is important: consider how you manage the waiting queue and track robot availability (hint: data structures like priority queues may be useful).
- Write clean, modular, and efficient code.
Good luck!