| 1 | import random |
| 2 | import string |
| 3 | |
| 1 | 4 | class Robot: |
| 5 | """ |
| 6 | A class representing a robot with a randomly generated name. |
| 7 | |
| 8 | The robot's name consists of two uppercase letters followed by three digits. |
| 9 | Names are unique and randomly selected from a pre-generated pool. |
| 10 | """ |
| 11 | |
| 12 | # Class-level set to track all used names across all robot instances |
| 13 | _used_names = set() |
| 14 | |
| 15 | # Pre-generate all possible valid names (26*26*10*10*10 = 676,000 combinations) |
| 16 | _name_pool = [ |
| 17 | f"{letter1}{letter2}{digit1}{digit2}{digit3}" |
| 18 | for letter1 in string.ascii_uppercase |
| 19 | for letter2 in string.ascii_uppercase |
| 20 | for digit1 in string.digits |
| 21 | for digit2 in string.digits |
| 22 | for digit3 in string.digits |
| 23 | ] |
| 24 | |
| 25 | # Shuffle the name pool to ensure randomness |
| 26 | random.shuffle(_name_pool) |
| 27 | |
| 28 | # Class-level index to track the next available name |
| 29 | _next_index = 0 |
| 30 | |
| 2 | 31 | def __init__(self): |
| 3 | | pass |
| 4 | | |
| 32 | """ |
| 33 | Initialize a new Robot instance with no name. |
| 34 | The name will be assigned on first access. |
| 35 | """ |
| 36 | self._name = None |
| 37 | |
| 5 | 38 | @property |
| 6 | 39 | def name(self) -> str: |
| 7 | | pass |
| 8 | | |
| 40 | """ |
| 41 | Get the robot's name. If the robot doesn't have a name yet, |
| 42 | assign a unique random name from the pool. |
| 43 | |
| 44 | Returns: |
| 45 | str: The robot's unique name in format AA000. |
| 46 | |
| 47 | Raises: |
| 48 | RuntimeError: If all possible names have been used. |
| 49 | """ |
| 50 | # Edge Case: All possible names have been exhausted |
| 51 | if Robot._next_index >= len(Robot._name_pool): |
| 52 | raise RuntimeError("All possible robot names have been used") |
| 53 | |
| 54 | # Edge Case: Robot already has a name assigned |
| 55 | if self._name is not None: |
| 56 | return self._name |
| 57 | |
| 58 | # Assign a new unique name from the pool |
| 59 | self._name = Robot._name_pool[Robot._next_index] |
| 60 | Robot._used_names.add(self._name) |
| 61 | Robot._next_index += 1 |
| 62 | |
| 63 | return self._name |
| 64 | |
| 9 | 65 | def reset(self) -> None: |
| 10 | | pass |
| 66 | """ |
| 67 | Reset the robot to factory settings, wiping its name. |
| 68 | The name will be regenerated on next access. |
| 69 | """ |
| 70 | # Edge Case: Robot has no name to reset |
| 71 | if self._name is None: |
| 72 | return |
| 73 | |
| 74 | # Remove the current name from the used set |
| 75 | Robot._used_names.discard(self._name) |
| 76 | |
| 77 | # Reset the instance's name |
| 78 | self._name = None |
| 79 | |
| 80 | # Handled Edge Cases: All possible names exhausted, robot already has a name, robot has no name to reset |