rover.py 1.4 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344
  1. import random
  2. import warnings
  3. HEADINGS = ['N', 'E', 'S', 'W']
  4. class Location:
  5. def __init__(self, x, y, heading):
  6. self.x = x
  7. self.y = y
  8. self.heading = heading
  9. class Rover:
  10. def __init__(self, x=None, y=None, heading=None):
  11. if all((x, y, heading)):
  12. self.location = Location(x, y, heading)
  13. else:
  14. warnings.warn("Landing at a random place")
  15. self.location = Location(random.randint(-10, 10),
  16. random.randint(-10, 10),
  17. HEADINGS[random.randint(0,
  18. len(HEADINGS) - 1)])
  19. def move(self, command):
  20. for item in command:
  21. if item == 'F' and self.location.heading == 'E':
  22. self.location.x += 1
  23. if item == 'F' and self.location.heading == 'N':
  24. self.location.y += 1
  25. # ... TODO: add all directions and check constraints
  26. # if going over the borders calculate roll-over ...
  27. # e.g, if after a few moves X location is E is 11 it should be
  28. # reported and saved as W -1.
  29. # separate moving from reporting
  30. self._report()
  31. def _report(self):
  32. """naive implementation that prints to stdout, can be changed to
  33. send a radio message"""
  34. print(f"Location ({self.location.x}, {self.location.y}) Heading {self.location.heading}")