Python之freegames?零代碼的22個(gè)小游戲集合
簡介
- 簡介:零代碼的22個(gè)小游戲集合
- 作者:Grant Jenks
- 版本:2.4.0
- 安裝:
D:\>pip install freegames -i https://pypi.tuna.tsinghua.edu.cn/simple/
Looking in indexes: https://pypi.tuna.tsinghua.edu.cn/simple/
Collecting freegames
Downloading https://pypi.tuna.tsinghua.edu.cn/packages/62/f5/643ebe95085f1fea2
d8e4597259d8c56a920df1ed10dcfb65d7b80caff4f/freegames-2.4.0-py3-none-any.whl (10
8 kB)
------------------------------------ 109.0/109.0 kB 528.1 kB/s eta 0:00:00
Installing collected packages: freegames
Successfully installed freegames-2.4.0- 簡要說明:
DESCRIPTION
Free Python Games is an Apache2 licensed collection of free Python games
intended for education and fun. The games are written in simple Python code and
designed for experimentation and changes. Simplified versions of several
classic arcade games are included.
Python is one of the top-five most popular programming languages in the world
and available for free from www.python.org. Python includes an extensive
Standard Library distributed with your installation. The Standard Library has a
module called Turtle which is a popular way to introduce programming to
kids. Turtle was part of the original Logo programming language developed by
Wally Feurzig and Seymour Papert in 1966. All of the games in Free Python Games
are implemented using Python and its Turtle module.
Starting in 2012, Free Python Games began as an after school program to teach
programming to inner-city youth. The goal was to have fun as much as it was to
learn. Since then the games have been improved and used in a variety of
settings ranging from classrooms to summer day-camps.
The games run anywhere Python can be installed which includes desktop computers
running Windows, Mac OS, or Linux and older or low-power hardware such as the
Raspberry Pi. Kids across the United States in grades 6th-12th have enjoyed
learning about topics such as encryption and projectile motion through games.
Each game is entirely independent from the others and includes comments along
with a list of exercises to work through with students. Creativity and
flexibility is important. There is no right or wrong way to implement a new
feature or behavior! You never know which games students will engage with best.
Free Python Games supports a command-line interface (CLI). Help for the CLI is
available using::
$ python3 -m freegames --help
The CLI supports three commands: list, copy, and show. For a list of all games
run::
$ python3 -m freegames list
Any of the listed games may be played by executing the Python module from the
command-line. To reference the Python module, combine "freegames" with the name
of the game. For example, to play the "snake" game run::
$ python3 -m freegames.snake
Games can be modified by copying their source code. The copy command will
create a Python file in your local directory which you can edit. For example,
to copy and play the "snake" game run::
$ python3 -m freegames copy snake
$ python3 snake.py
Python includes a built-in text editor named IDLE which can also execute Python
code. To launch the editor and make changes to the "snake" game run::
$ python3 -m idlelib.idle snake.py
- 游戲列表:
D:\>python -m freegames list ant bagels bounce cannon connect crypto fidget flappy guess life madlibs maze memory minesweeper pacman paint pong simonsays snake tictactoe tiles tron
游戲
執(zhí)行方法 freegames.游戲名
python -m freegames.life

python -m freegames.pacman

python -m freegames.cannon

python -m freegames.pong

python -m freegames.tiles

python -m freegames.maze

代碼學(xué)習(xí)
所謂“零代碼”實(shí)際上只是作者幫你寫好來,拿來就用或者參考學(xué)習(xí)而已。
執(zhí)行: python -m freegames copy maze,就能拷貝出源碼來
(Windows系統(tǒng))執(zhí)行后,在當(dāng)前用戶的文件夾下保存有源文件: maze.py

源代碼:很明顯游戲是基于turtle庫的代碼
"""Maze, move from one side to another.
Excercises
1. Keep score by counting taps.
2. Make the maze harder.
3. Generate the same maze twice.
"""
from random import random
from turtle import *
from freegames import line
def draw():
"""Draw maze."""
color('black')
width(5)
for x in range(-200, 200, 40):
for y in range(-200, 200, 40):
if random() > 0.5:
line(x, y, x + 40, y + 40)
else:
line(x, y + 40, x + 40, y)
update()
def tap(x, y):
"""Draw line and dot for screen tap."""
if abs(x) > 198 or abs(y) > 198:
up()
else:
down()
width(2)
color('red')
goto(x, y)
dot(4)
setup(420, 420, 370, 0)
hideturtle()
tracer(False)
draw()
onscreenclick(tap)
done()再來看一個(gè)稍微復(fù)雜點(diǎn)的“貪吃蛇”代碼:
"""Snake, classic arcade game.
Exercises
1. How do you make the snake faster or slower?
2. How can you make the snake go around the edges?
3. How would you move the food?
4. Change the snake to respond to mouse clicks.
"""
from random import randrange
from turtle import *
from freegames import square, vector
food = vector(0, 0)
snake = [vector(10, 0)]
aim = vector(0, -10)
def change(x, y):
"""Change snake direction."""
aim.x = x
aim.y = y
def inside(head):
"""Return True if head inside boundaries."""
return -200 < head.x < 190 and -200 < head.y < 190
def move():
"""Move snake forward one segment."""
head = snake[-1].copy()
head.move(aim)
if not inside(head) or head in snake:
square(head.x, head.y, 9, 'red')
update()
return
snake.append(head)
if head == food:
print('Snake:', len(snake))
food.x = randrange(-15, 15) * 10
food.y = randrange(-15, 15) * 10
else:
snake.pop(0)
clear()
for body in snake:
square(body.x, body.y, 9, 'black')
square(food.x, food.y, 9, 'green')
update()
ontimer(move, 100)
setup(420, 420, 370, 0)
hideturtle()
tracer(False)
listen()
onkey(lambda: change(10, 0), 'Right')
onkey(lambda: change(-10, 0), 'Left')
onkey(lambda: change(0, 10), 'Up')
onkey(lambda: change(0, -10), 'Down')
move()
done()
內(nèi)置類和函數(shù)
snake游戲中使用了內(nèi)置的類vector及函數(shù)square
>>> from freegames import square, vector
除了這2個(gè)庫里還有其它3個(gè):
>>> import freegames >>> freegames.__all__ ['floor', 'line', 'path', 'square', 'vector']
使用簡介:
CLASSES
collections.abc.Sequence(collections.abc.Reversible, collections.abc.Collection)
freegames.utils.vector
class vector(collections.abc.Sequence)
| vector(x, y)
|
| Two-dimensional vector.
|
| Vectors can be modified in-place.
|
| >>> v = vector(0, 1)
| >>> v.move(1)
| >>> v
| vector(1, 2)
| >>> v.rotate(90)
| >>> v
| vector(-2.0, 1.0)
|
| Method resolution order:
| vector
| collections.abc.Sequence
| collections.abc.Reversible
| collections.abc.Collection
| collections.abc.Sized
| collections.abc.Iterable
| collections.abc.Container
| builtins.object
|
| Methods defined here:
|
| __abs__(self)
| v.__abs__() -> abs(v)
|
| >>> v = vector(3, 4)
| >>> abs(v)
| 5.0
|
| __add__(self, other)
| v.__add__(w) -> v + w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v + w
| vector(4, 6)
| >>> v + 1
| vector(2, 3)
| >>> 2.0 + v
| vector(3.0, 4.0)
|
| __eq__(self, other)
| v.__eq__(w) -> v == w
|
| >>> v = vector(1, 2)
| >>> w = vector(1, 2)
| >>> v == w
| True
|
| __getitem__(self, index)
| v.__getitem__(v, i) -> v[i]
|
| >>> v = vector(3, 4)
| >>> v[0]
| 3
| >>> v[1]
| 4
| >>> v[2]
| Traceback (most recent call last):
| ...
| IndexError
|
| __hash__(self)
| v.__hash__() -> hash(v)
|
| >>> v = vector(1, 2)
| >>> h = hash(v)
| >>> v.x = 2
| Traceback (most recent call last):
| ...
| ValueError: cannot set x after hashing
|
| __iadd__(self, other)
| v.__iadd__(w) -> v += w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v += w
| >>> v
| vector(4, 6)
| >>> v += 1
| >>> v
| vector(5, 7)
|
| __imul__(self, other)
| v.__imul__(w) -> v *= w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v *= w
| >>> v
| vector(3, 8)
| >>> v *= 2
| >>> v
| vector(6, 16)
|
| __init__(self, x, y)
| Initialize vector with coordinates: x, y.
|
| >>> v = vector(1, 2)
| >>> v.x
| 1
| >>> v.y
| 2
|
| __isub__(self, other)
| v.__isub__(w) -> v -= w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v -= w
| >>> v
| vector(-2, -2)
| >>> v -= 1
| >>> v
| vector(-3, -3)
|
| __itruediv__(self, other)
| v.__itruediv__(w) -> v /= w
|
| >>> v = vector(2, 4)
| >>> w = vector(4, 8)
| >>> v /= w
| >>> v
| vector(0.5, 0.5)
| >>> v /= 2
| >>> v
| vector(0.25, 0.25)
|
| __len__(self)
| v.__len__() -> len(v)
|
| >>> v = vector(1, 2)
| >>> len(v)
| 2
|
| __mul__(self, other)
| v.__mul__(w) -> v * w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v * w
| vector(3, 8)
| >>> v * 2
| vector(2, 4)
| >>> 3.0 * v
| vector(3.0, 6.0)
|
| __ne__(self, other)
| v.__ne__(w) -> v != w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v != w
| True
|
| __neg__(self)
| v.__neg__() -> -v
|
| >>> v = vector(1, 2)
| >>> -v
| vector(-1, -2)
|
| __radd__ = __add__(self, other)
|
| __repr__(self)
| v.__repr__() -> repr(v)
|
| >>> v = vector(1, 2)
| >>> repr(v)
| 'vector(1, 2)'
|
| __rmul__ = __mul__(self, other)
|
| __sub__(self, other)
| v.__sub__(w) -> v - w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v - w
| vector(-2, -2)
| >>> v - 1
| vector(0, 1)
|
| __truediv__(self, other)
| v.__truediv__(w) -> v / w
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> w / v
| vector(3.0, 2.0)
| >>> v / 2
| vector(0.5, 1.0)
|
| copy(self)
| Return copy of vector.
|
| >>> v = vector(1, 2)
| >>> w = v.copy()
| >>> v is w
| False
|
| move(self, other)
| Move vector by other (in-place).
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v.move(w)
| >>> v
| vector(4, 6)
| >>> v.move(3)
| >>> v
| vector(7, 9)
|
| rotate(self, angle)
| Rotate vector counter-clockwise by angle (in-place).
|
| >>> v = vector(1, 2)
| >>> v.rotate(90)
| >>> v == vector(-2, 1)
| True
|
| scale(self, other)
| Scale vector by other (in-place).
|
| >>> v = vector(1, 2)
| >>> w = vector(3, 4)
| >>> v.scale(w)
| >>> v
| vector(3, 8)
| >>> v.scale(0.5)
| >>> v
| vector(1.5, 4.0)
|
| ----------------------------------------------------------------------
| Data descriptors defined here:
|
| x
| X-axis component of vector.
|
| >>> v = vector(1, 2)
| >>> v.x
| 1
| >>> v.x = 3
| >>> v.x
| 3
|
| y
| Y-axis component of vector.
|
| >>> v = vector(1, 2)
| >>> v.y
| 2
| >>> v.y = 5
| >>> v.y
| 5
|
| ----------------------------------------------------------------------
| Data and other attributes defined here:
|
| PRECISION = 6
|
| __abstractmethods__ = frozenset()
|
| ----------------------------------------------------------------------
| Methods inherited from collections.abc.Sequence:
|
| __contains__(self, value)
|
| __iter__(self)
|
| __reversed__(self)
|
| count(self, value)
| S.count(value) -> integer -- return number of occurrences of value
|
| index(self, value, start=0, stop=None)
| S.index(value, [start, [stop]]) -> integer -- return first index of value.
| Raises ValueError if the value is not present.
|
| Supporting start and stop arguments is optional, but
| recommended.
|
| ----------------------------------------------------------------------
| Class methods inherited from collections.abc.Reversible:
|
| __subclasshook__(C) from abc.ABCMeta
| Abstract classes can override this to customize issubclass().
|
| This is invoked early on by abc.ABCMeta.__subclasscheck__().
| It should return True, False or NotImplemented. If it returns
| NotImplemented, the normal algorithm is used. Otherwise, it
| overrides the normal algorithm (and the outcome is cached).
FUNCTIONS
floor(value, size, offset=200)
Floor of `value` given `size` and `offset`.
The floor function is best understood with a diagram of the number line::
-200 -100 0 100 200
<--|--x--|-----|--y--|--z--|-->
The number line shown has offset 200 denoted by the left-hand tick mark at
-200 and size 100 denoted by the tick marks at -100, 0, 100, and 200. The
floor of a value is the left-hand tick mark of the range where it lies. So
for the points show above: ``floor(x)`` is -200, ``floor(y)`` is 0, and
``floor(z)`` is 100.
>>> floor(10, 100)
0.0
>>> floor(120, 100)
100.0
>>> floor(-10, 100)
-100.0
>>> floor(-150, 100)
-200.0
>>> floor(50, 167)
-33.0
line(a, b, x, y)
Draw line from `(a, b)` to `(x, y)`.
path(filename)
Return full path to `filename` in freegames module.
square(x, y, size, name)
Draw square at `(x, y)` with side length `size` and fill color `name`.
The square is oriented so the bottom left corner is at (x, y).另外還有20段代碼,你可以用命令自己copy出來一一學(xué)習(xí)??傮w來說,代碼難度不是很高,重要的是要自己動(dòng)手模仿編出新的游戲來!
以上就是Python之freegames 零代碼的22個(gè)小游戲集合的詳細(xì)內(nèi)容,更多關(guān)于Python之freegames庫的資料請(qǐng)關(guān)注腳本之家其它相關(guān)文章!
- Python利用3D引擎寫一個(gè)Pong游戲
- Python+Pygame編寫一個(gè)Pong游戲
- Python+Pygame實(shí)戰(zhàn)之俄羅斯方塊游戲的實(shí)現(xiàn)
- Python Pygame實(shí)戰(zhàn)之實(shí)現(xiàn)經(jīng)營類游戲夢想小鎮(zhèn)代碼版
- Python+Pygame實(shí)現(xiàn)接小彈珠游戲
- Python+Pygame實(shí)戰(zhàn)之詩詞填空游戲的實(shí)現(xiàn)
- Python+numpy實(shí)現(xiàn)一個(gè)蜘蛛紙牌游戲
- Python+Pygame實(shí)戰(zhàn)之文字劇情游戲的實(shí)現(xiàn)
- Python+Pygame實(shí)戰(zhàn)之炫舞小游戲的實(shí)現(xiàn)
相關(guān)文章
把JSON數(shù)據(jù)格式轉(zhuǎn)換為Python的類對(duì)象方法詳解(兩種方法)
本文通過兩種方法給大家介紹了把JSON數(shù)據(jù)格式轉(zhuǎn)換為Python的類對(duì)象,本文通過實(shí)例代碼給大家介紹的非常詳細(xì),具有一定的參考借鑒價(jià)值 ,需要的朋友可以參考下2019-06-06
python代碼實(shí)現(xiàn)圖書管理系統(tǒng)
這篇文章主要為大家詳細(xì)介紹了python代碼實(shí)現(xiàn)圖書管理系統(tǒng),文中示例代碼介紹的非常詳細(xì),具有一定的參考價(jià)值,感興趣的小伙伴們可以參考一下2020-11-11
利用Pytorch實(shí)現(xiàn)獲取特征圖的方法詳解
這篇文章主要為大家詳細(xì)介紹了如何利用Pytorch實(shí)現(xiàn)獲取特征圖,包括提取單個(gè)特征圖和提取多個(gè)特征圖,文中的示例代碼講解詳細(xì),需要的可以參考一下2022-10-10
解決python刪除文件的權(quán)限錯(cuò)誤問題
下面小編就為大家分享一篇解決python刪除文件的權(quán)限錯(cuò)誤問題,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。一起跟隨小編過來看看吧2018-04-04
Python機(jī)器學(xué)習(xí)10大經(jīng)典算法的講解和示例
10個(gè)經(jīng)典的機(jī)器學(xué)習(xí)算法包括:線性回歸、邏輯回歸、K-最近鄰(KNN)、支持向量機(jī)(SVM)、決策樹、隨機(jī)森林、樸素貝葉斯、K-均值聚類、主成分分析(PCA)、和梯度提升(Gradient?Boosting),我將使用常見的機(jī)器學(xué)習(xí)庫,如scikit-learn,numpy和pandas?來實(shí)現(xiàn)這些算法2024-06-06
對(duì)python過濾器和lambda函數(shù)的用法詳解
今天小編就為大家分享一篇對(duì)python過濾器和lambda函數(shù)的用法詳解,具有很好的參考價(jià)值,希望對(duì)大家有所幫助。一起跟隨小編過來看看吧2019-01-01

