Bladeren bron

Initial commit.

Bryan Allred 14 jaren geleden
commit
e7dcf3314d

+ 17 - 0
.project

@ -0,0 +1,17 @@
1
<?xml version="1.0" encoding="UTF-8"?>
2
<projectDescription>
3
	<name>pytron</name>
4
	<comment></comment>
5
	<projects>
6
	</projects>
7
	<buildSpec>
8
		<buildCommand>
9
			<name>org.python.pydev.PyDevBuilder</name>
10
			<arguments>
11
			</arguments>
12
		</buildCommand>
13
	</buildSpec>
14
	<natures>
15
		<nature>org.python.pydev.pythonNature</nature>
16
	</natures>
17
</projectDescription>

+ 10 - 0
.pydevproject

@ -0,0 +1,10 @@
1
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
2
<?eclipse-pydev version="1.0"?>
3
4
<pydev_project>
5
<pydev_property name="org.python.pydev.PYTHON_PROJECT_INTERPRETER">Python 2.7</pydev_property>
6
<pydev_property name="org.python.pydev.PYTHON_PROJECT_VERSION">python 2.7</pydev_property>
7
<pydev_pathproperty name="org.python.pydev.PROJECT_SOURCE_PATH">
8
<path>/pytron/src</path>
9
</pydev_pathproperty>
10
</pydev_project>

+ 10 - 0
src/pytron/Enum.py

@ -0,0 +1,10 @@
1
'''
2
Created on Nov 8, 2009
3
4
@author: Alec Thomas
5
'''
6
7
def Enum(*sequential, **named):
8
    enums = dict(zip(sequential, range(len(sequential))), **named)
9
    return type('Enum', (), enums)
10
        

BIN
src/pytron/Enum.pyc


+ 128 - 0
src/pytron/GameGrid.py

@ -0,0 +1,128 @@
1
import pygame
2
from pygame.locals import *
3
from pytron.locals.Heading import Heading
4
5
class GameGrid:
6
    '''
7
    The Game Grid is where programs compete for their survival.
8
    '''
9
    
10
    def __init__(self, Width, Height):
11
        '''
12
        Initializes a new instance of the GameGrid class.
13
        '''
14
        
15
        # Initialize the game grid.
16
        self.Height = Height
17
        self.Width = Width
18
        self._FrameRate = 30
19
        self._Programs = []
20
        
21
        # Initialize pyGame.
22
        pygame.init()
23
        pygame.display.set_caption("PyTron")
24
        self._Clock = pygame.time.Clock()
25
        self._Screen = pygame.display.set_mode((self.Width, self.Height))
26
        self._Background = pygame.Surface(self._Screen.get_size())
27
        self._Background.fill((0, 0, 0))
28
    
29
    def DoWork(self):
30
        # Tick-Tock.
31
        self._Clock.tick(self._FrameRate)
32
        
33
        # Clear screen (or possibly don't?).
34
        self._Screen.blit(self._Background, (0, 0))
35
        
36
        # Peek at inputs.
37
        self._HandleEvents(pygame.event.get())
38
        
39
        for prog in self._Programs:
40
            # Move and draw.
41
            self._DrawLightRibbon(prog.LightCycle.Move())
42
            
43
            # Collision checking.
44
            if prog.LightCycle.CollisionWithWall(self.Width, self.Height):
45
                if prog.Derezz():
46
                    self._Programs.remove(prog)
47
            else:
48
                # For each opponent check if program collided with their light ribbon.
49
                # If so, determine if program should derezz.
50
                
51
                for opponent in self._Opponents(prog):
52
                    if prog.LightCycle.CollisionWithLightRibbon(opponent.LightCycle.LightRibbon()):
53
                        if prog.Derezz():
54
                            self._Programs.remove(prog)
55
        
56
        # Flip! Flip! (i.e. update the display with the latest changes)
57
        pygame.display.flip()
58
    
59
    def IsRunning(self):
60
        '''
61
        Returns a value indicating whether the game is still running.
62
        '''
63
        
64
        return len(self._Programs) > 1
65
    
66
    def LoadProgram(self, Program):
67
        '''
68
        Load a program in to the game grid.
69
        '''
70
        
71
        self._Programs.append(Program)
72
    
73
    def SetFrameRate(self, Rate):
74
        '''
75
        Sets the frame rate.
76
        '''
77
        
78
        self._FrameRate = Rate
79
    
80
    def _DrawLightRibbon(self, Vertices):
81
        '''
82
        Draws the light ribbon.
83
        '''
84
        
85
        pygame.draw.lines(self._Screen, (255, 0, 0), False, Vertices, 1)
86
    
87
    def _HandleEvents(self, Events):
88
        '''
89
        Handles input events from the user(s).
90
        '''
91
        
92
        # TODO: Do not make static!!!!
93
        # Need to do something cool so there can be more
94
        # than just two programs playing (possibly use Id).
95
        
96
        for e in Events:
97
            if e.type == QUIT:
98
                self._Programs = []
99
            elif e.type == KEYDOWN:
100
                # Program one navigation.
101
                if e.key == K_a:
102
                    self._Programs[0].LightCycle.ChangeDirection(Heading.WEST)
103
                elif e.key == K_s:
104
                    self._Programs[0].LightCycle.ChangeDirection(Heading.SOUTH)
105
                elif e.key == K_d:
106
                    self._Programs[0].LightCycle.ChangeDirection(Heading.EAST)
107
                elif e.key == K_w:
108
                    self._Programs[0].LightCycle.ChangeDirection(Heading.NORTH)
109
                
110
                # Program two navigation.
111
                elif e.key == K_j:
112
                    self._Programs[1].LightCycle.ChangeDirection(Heading.WEST)
113
                elif e.key == K_k:
114
                    self._Programs[1].LightCycle.ChangeDirection(Heading.SOUTH)
115
                elif e.key == K_l:
116
                    self._Programs[1].LightCycle.ChangeDirection(Heading.EAST)
117
                elif e.key == K_i:
118
                    self._Programs[1].LightCycle.ChangeDirection(Heading.NORTH)
119
    
120
    def _Opponents(self, Program):
121
        '''
122
        Finds a programs opponents.
123
        '''
124
        
125
        opponents = self._Programs[:]
126
        opponents.remove(Program)
127
        
128
        return opponents

BIN
src/pytron/GameGrid.pyc


+ 80 - 0
src/pytron/LightCycle.py

@ -0,0 +1,80 @@
1
from pytron.locals.Heading import Heading
2
3
class LightCycle:
4
    '''
5
    Light cycle vehicle
6
    '''
7
    
8
    def __init__(self, Color, Direction, StartX, StartY):
9
        '''
10
        Initializes a new instance of the LightCycle class.
11
        '''
12
        
13
        self.RibbonColor = Color
14
        self.Direction = Direction
15
        self._LightRibbon = [(StartX, StartY)]
16
    
17
    def ChangeDirection(self, NewHeading):
18
        '''
19
        Change light cycle direction.
20
        '''
21
        
22
        # Check to make sure the bike is not pulling a 180 degree turn.
23
        if ((self.Direction == Heading.NORTH and NewHeading == Heading.SOUTH)
24
            or (self.Direction == Heading.SOUTH and NewHeading == Heading.NORTH)
25
            or (self.Direction == Heading.EAST and NewHeading == Heading.WEST)
26
            or (self.Direction == Heading.WEST and NewHeading == Heading.EAST)):
27
            pass
28
        else:
29
            self.Direction = NewHeading
30
    
31
    def CollisionWithLightRibbon(self, Ribbon):
32
        '''
33
        Check each point of a ribbon if we have a collision.
34
        '''
35
        
36
        for coord in Ribbon:
37
            if self._LightRibbon.count(coord) > 0:
38
                return True
39
        
40
        return False
41
    
42
    def CollisionWithWall(self, PosX, PosY):
43
        '''
44
        Check all possible wall collision combinations.
45
        '''
46
        
47
        # First find the current position.
48
        currentPosition = self._LightRibbon[-1]
49
        
50
        return ((currentPosition[0] < 1 or currentPosition[0] >= PosX)
51
                or (currentPosition[1] < 1 or currentPosition[1] >= PosY)
52
                or (self._LightRibbon.count(currentPosition) > 1))
53
    
54
    def LightRibbon(self):
55
        '''
56
        Return all vertices of the light ribbon.
57
        '''
58
        
59
        return self._LightRibbon[:]
60
    
61
    def Move(self):
62
        '''
63
        Move the light cycle one unit in its current direction.
64
        '''
65
        
66
        # First find the current position.
67
        currentPosition = self._LightRibbon[-1]
68
        
69
        # Determine which direction to move.
70
        if self.Direction == Heading.NORTH:
71
            self._LightRibbon.append((currentPosition[0], currentPosition[1] - 1))
72
        elif self.Direction == Heading.EAST:
73
            self._LightRibbon.append((currentPosition[0] + 1, currentPosition[1]))
74
        elif self.Direction == Heading.SOUTH:
75
            self._LightRibbon.append((currentPosition[0], currentPosition[1] + 1))
76
        else:
77
            self._LightRibbon.append((currentPosition[0] - 1, currentPosition[1]))
78
        
79
        # Return the light ribbon.
80
        return self._LightRibbon

BIN
src/pytron/LightCycle.pyc


+ 40 - 0
src/pytron/Program.py

@ -0,0 +1,40 @@
1
from pytron.LightCycle import LightCycle
2
3
class Program:
4
    '''
5
    A user program
6
    '''
7
    
8
    def __init__(self, Id):
9
        '''
10
        Initializes a new instance of the Program class.
11
        '''
12
        
13
        self._Health = 1
14
        self._Id = Id
15
        self.LightCycle = None
16
    
17
    def Derezz(self):
18
        '''
19
        Returns a value indicating whether the program should derezz.
20
        '''
21
        
22
        # Decrease health by one.
23
        self._Health = self._Health - 1
24
        
25
        # Return boolean indicating whether to derezz the player.
26
        return self._Health == 0
27
    
28
    def Name(self):
29
        '''
30
        Returns the programs name.
31
        '''
32
        
33
        return "Player " + self._Id
34
    
35
    def UseBaton(self, Direction, StartX, StartY):
36
        '''
37
        Use the baton to generate the light cycle.
38
        '''
39
        
40
        self.LightCycle = LightCycle(self._Id, Direction, StartX, StartY)

BIN
src/pytron/Program.pyc


+ 36 - 0
src/pytron/PyTron.py

@ -0,0 +1,36 @@
1
#!/usr/bin/python
2
3
from pytron.GameGrid import GameGrid
4
from pytron.Program import Program
5
from pytron.locals.Heading import Heading
6
7
#
8
# Build the game grid.
9
#
10
11
gameGrid = GameGrid(250, 250)
12
gameGrid.SetFrameRate(30)
13
14
#
15
# Create the programs (players).
16
#
17
18
clu = Program(0)
19
clu.UseBaton(Heading.SOUTH, 10, 10)
20
21
ram = Program(1)
22
ram.UseBaton(Heading.NORTH, gameGrid.Width - 10, gameGrid.Height - 10)
23
24
gameGrid.LoadProgram(clu)
25
gameGrid.LoadProgram(ram)
26
27
#
28
# Engine.
29
#
30
31
while gameGrid.IsRunning():
32
    gameGrid.DoWork()
33
34
#
35
# End of the world.
36
#

+ 45 - 0
src/pytron/README.txt

@ -0,0 +1,45 @@
1
Program:	PyTron
2
Author:		Bryan M. Allred
3
Created:	06/03/2011
4
5
Dependencies:
6
	Python 2.7
7
	pygame
8
9
Description:
10
	Simple Tron game written in Python.
11
12
Acknowledgements:
13
	HacDC (http://www.hacdc.org) for the great introduction.
14
	Python documentation on classes.
15
	PEP008 "Style Guide for Python Code".
16
	Pygame documentation.
17
	Alec Thomas on the sweet Enum() function found on StackOverflow (I felt I needed enumerations!).
18
19
Directions:
20
21
Avoid hitting the game grids boundaries as well as each programs light ribbon. Currently each
22
programs health level is set to "1" so you only have one chance before derezz. To navigate your
23
light cycle use the following keys:
24
25
	Player 1 (Program "Clu")
26
		A -> Left
27
		S -> Down
28
		D -> Right
29
		W -> Up
30
31
	Player 2 (Program "Ram")
32
		J -> Left
33
		K -> Down
34
		L -> Right
35
		I -> Up
36
37
Issues:
38
39
[Unresolved] Once each programs light ribbon has reach a large number the redrawing of the screen
40
eats up resources. This causes a delay in reaction time and makes the game appear sluggish. Possibly
41
need to implement some sort of caching or only draw the new portions of the ribbon.
42
43
[Unresolved] Never got around to implementing different light cycle colors.
44
45
[Unresolved] Sound.

+ 0 - 0
src/pytron/__init__.py


BIN
src/pytron/__init__.pyc


+ 3 - 0
src/pytron/locals/Color.py

@ -0,0 +1,3 @@
1
from pytron.Enum import Enum
2
3
Color = Enum(RED=0, BLUE=1, GREEN=2, YELLOW=3, WHITE=4)

BIN
src/pytron/locals/Color.pyc


+ 3 - 0
src/pytron/locals/Heading.py

@ -0,0 +1,3 @@
1
from pytron.Enum import Enum
2
3
Heading = Enum(NORTH=0, EAST=1, SOUTH=2, WEST=3)

BIN
src/pytron/locals/Heading.pyc


+ 0 - 0
src/pytron/locals/__init__.py


BIN
src/pytron/locals/__init__.pyc