-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathpolygon.py
80 lines (61 loc) · 2.95 KB
/
polygon.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
from helpers import getRandomColor
import constants as const
import geometry
import pyglet.gl as gl
from pyglet.graphics import draw
from shape import Shape
class Polygon(Shape, geometry.Polygon):
# The respresentation of a polygon is a list of dots (vertices)
def __init__(self, dots):
# Calculate bounds as minimum/maximum values of x and y for all dots
max_x = max(x for x, y in dots)
min_x = min(x for x, y in dots)
max_y = max(y for x, y in dots)
min_y = min(y for x, y in dots)
# This will be the bounding box.
Shape.__init__(self, geometry.Point(min_x, min_y), max_x-min_x, max_y-min_y)
geometry.Polygon.__init__(self, dots)
self.gl_vertices = self.get_gl_vertices()
self.color=getRandomColor()
def render(self):
self.set_colliding_flag()
self.gl_vertices = self.get_gl_vertices()
# Without this, number of points in polygon is undefined to pyglet.
gl.glEnable(gl.GL_PRIMITIVE_RESTART)
gl.glPrimitiveRestartIndex(-1)
gl.glEnable(gl.GL_LINE_SMOOTH)
vertices = round(len(self.gl_vertices)/2)
gl.glColor4f(*self.color)
draw(vertices, gl.GL_POLYGON, ('v2f', self.gl_vertices))
if(self.colliding):
gl.glLineWidth(const.BORDER_WIDTH)
gl.glColor4f(*const.COLOR_COLLIDING[self.colliding])
draw(vertices-1, gl.GL_LINE_LOOP, ('v2f', self.gl_vertices[:-2])) # Exclude last vertex (the primitive restart)
gl.glDisable(gl.GL_LINE_SMOOTH)
def updateBounds(self):
# Find maxima of x and y coordinates
max_x = max(x for x, y in self.dots)
min_x = min(x for x, y in self.dots)
max_y = max(y for x, y in self.dots)
min_y = min(y for x, y in self.dots)
self.bounds.x, self.bounds.y = min_x, min_y
self.bounds.width = max_x-min_x
self.bounds.height = max_y-min_y
def collidingWith(self, item):
# First, check if bounding rects collide. If not, there is no collision.
if(not geometry.check_collide_rectangles(self.bounds, item.bounds)):
return const.COLLISION_NONE
# Item is a polygon
if(type(self) is type(item)):
# If both are rectangles, use rectangle-specific algo
if(hasattr(self, 'rectangle') and hasattr(item, 'rectangle')):
# Rectangle collision is equivalent to bounds collision, and we've already checked that
return True
else:
return const.COLLISION_SAT if\
geometry.check_collide_polygons(self.dots, item.dots, self.normals, item.normals) else const.COLLISION_NONE
# Item is a circle
elif(issubclass(type(item), geometry.Circle)):
return const.COLLISION_SAT if geometry.check_collide_polygon_circle(self.dots, item, self.normals) else const.COLLISION_NONE
else:
raise TypeError("Only shapes can be checked for collisions")