author:headsen chen

date: 2018-06-01  15:51:05

习题 31:  作出决定(if + raw_input)

  1. [root@localhost py]# cat desition.py
  2. #!/usr/bin/env python
  3. print "You enter a dark room with two doors. Do you go through door #1 or door #2?"
  4. door = raw_input("> ")
  5. if door == "":
  6. print "There's a giant bear here eating a cheese cake. What do you do?"
  7. print "1. Take the cake."
  8. print "2. Scream at the bear."
  9. bear = raw_input("> ")
  10. if bear == "":
  11. print "The bear eats your face off. Good job!"
  12. elif bear == "":
  13. print "The bear eats your legs off. Good job!"
  14. else:
  15. print "Well, doing %s is probably better. Bear runs away." % bear
  16.  
  17. elif door == "":
  18. print "You stare into the endless abyss at Cthulhu's retina."
  19. print "1. Blueberries."
  20. print "2. Yellow jacket clothespins."
  21. print "3. Understanding revolvers yelling melodies."
  22. insanity = raw_input("> ")
  23. if insanity == "" or insanity == "":
  24. print "Your body survives powered by a mind of jello.Good job!"
  25. else:
  26. print "The insanity rots your eyes into a pool of muck.Good job!"
  27.  
  28. else:
  29. print "You stumble around and fall on a knife and die. Good job!"
  1. [root@localhost py]# python desition.py
  2. You enter a dark room with two doors. Do you go through door #1 or door #2?
  3. > 1
  4. There's a giant bear here eating a cheese cake. What do you do?
  5. 1. Take the cake.
  6. 2. Scream at the bear.
  7. > 2
  8. The bear eats your legs off. Good job!

习题 32:  循环和列表

  1. [root@localhost py]# cat list-for.py
  2. #!/usr/bin/env python
  3. the_count = [1, 2, 3, 4, 5]
  4. fruits = ['apples', 'oranges', 'pears', 'apricots']
  5. change = [1, 'pennies', 2, 'dimes', 3, 'quarters']
  6.  
  7. # this first kind of for-loop goes through a list
  8. for number in the_count:
  9. print "This is count %d" % number
  10.  
  11. # same as above
  12. for fruit in fruits:
  13. print "A fruit of type: %s" % fruit
  14.  
  15. # also we can go through mixed lists too
  16. # notice we have to use %r since we don't know what's in it
  17. for i in change:
  18. print "I got %r" % i
  19.  
  20. # we can also build lists, first start with an empty one
  21. elements = []
  22. # then use the range function to do 0 to 5 counts
  23. for i in range(0, 6):
  24. print "Adding %d to the list." % i
  25. # append is a function that lists understand
  26. elements.append(i)
  27. # now we can print them out too
  28.  
  29. for i in elements:
  30. print "Element was: %d" % i
  1. [root@localhost py]# python list-for.py
  2. This is count 1
  3. This is count 2
  4. This is count 3
  5. This is count 4
  6. This is count 5
  7. A fruit of type: apples
  8. A fruit of type: oranges
  9. A fruit of type: pears
  10. A fruit of type: apricots
  11. I got 1
  12. I got 'pennies'
  13. I got 2
  14. I got 'dimes'
  15. I got 3
  16. I got 'quarters'
  17. Adding 0 to the list.
  18. Adding 1 to the list.
  19. Adding 2 to the list.
  20. Adding 3 to the list.
  21. Adding 4 to the list.
  22. Adding 5 to the list.
  23. Element was: 0
  24. Element was: 1
  25. Element was: 2
  26. Element was: 3
  27. Element was: 4
  28. Element was: 5

习题 33: While  循环

  1. [root@localhost py]# cat while.py
  2. #!/usr/bin/env python
  3. i = 0
  4. numbers = []
  5. while i < 6:
  6. print "At the top i is %d" % i
  7. numbers.append(i)
  8. i = i + 1
  9. print "Numbers now: ", numbers
  10. print "At the bottom i is %d" % i
  11. print "The numbers: "
  12. for num in numbers:
  13. print num
  1. [root@localhost py]# python while.py
  2. At the top i is 0
  3. Numbers now: [0]
  4. At the bottom i is 1
  5. At the top i is 1
  6. Numbers now: [0, 1]
  7. At the bottom i is 2
  8. At the top i is 2
  9. Numbers now: [0, 1, 2]
  10. At the bottom i is 3
  11. At the top i is 3
  12. Numbers now: [0, 1, 2, 3]
  13. At the bottom i is 4
  14. At the top i is 4
  15. Numbers now: [0, 1, 2, 3, 4]
  16. At the bottom i is 5
  17. At the top i is 5
  18. Numbers now: [0, 1, 2, 3, 4, 5]
  19. At the bottom i is 6
  20. The numbers:
  21. 0
  22. 1
  23. 2
  24. 3
  25. 4
  26. 5

习题 35:  分支和函数

  1. [root@localhost py]# cat func-if.py
  2. #!/usr/bin/env python
  3. from sys import exit
  4. def gold_room():
  5. print "This room is full of gold. How much do you take?"
  6. next = raw_input("> ")
  7. if "" in next or "" in next:
  8. how_much = int(next)
  9. else:
  10. dead("Man, learn to type a number.")
  11. if how_much < 50:
  12. print "Nice, you're not greedy, you win!"
  13. exit(0)
  14. else:
  15. dead("You greedy bastard!")
  16.  
  17. def bear_room():
  18. print "There is a bear here."
  19. print "The bear has a bunch of honey."
  20. print "The fat bear is in front of another door."
  21. print "How are you going to move the bear?"
  22. bear_moved = False
  23.  
  24. while True:
  25. next = raw_input("> ")
  26. if next == "take honey":
  27. dead("The bear looks at you then slaps your face off.")
  28. elif next == "taunt bear" and not bear_moved:
  29. print "The bear has moved from the door. You can go through it now."
  30. bear_moved = True
  31. elif next == "taunt bear" and bear_moved:
  32. dead("The bear gets pissed off and chews your leg off.")
  33. elif next == "open door" and bear_moved:
  34. gold_room()
  35. else:
  36. print "I got no idea what that means."
  37. def cthulhu_room():
  38. print "Here you see the great evil Cthulhu."
  39. print "He, it, whatever stares at you and you go insane."
  40. print "Do you flee for your life or eat your head?"
  41. next = raw_input("> ")
  42. if "flee" in next:
  43. start()
  44. elif "head" in next:
  45. dead("Well that was tasty!")
  46. else:
  47. cthulhu_room()
  48. def dead(why):
  49. print why, "Good job!"
  50. exit(0)
  51. def start():
  52. print "You are in a dark room."
  53. print "There is a door to your right and left."
  54. print "Which one do you take?"
  55. next = raw_input("> ")
  56. if next == "left":
  57. bear_room()
  58. elif next == "right":
  59. cthulhu_room()
  60. else:
  61. dead("You stumble around the room until you starve.")
  62. start()
  1. [root@localhost py]# python func-if.py
  2. You are in a dark room.
  3. There is a door to your right and left.
  4. Which one do you take?
  5.  
  6. > left
  7. There is a bear here.
  8. The bear has a bunch of honey.
  9. The fat bear is in front of another door.
  10. How are you going to move the bear?
  11.  
  12. > taunt bear
  13. The bear has moved from the door. You can go through it now.
  14.  
  15. > open door
  16. This room is full of gold. How much do you take?
  17.  
  18. > asf
  19. Man, learn to type a number. Good job!

习题 36:  复习各种符号

  1. 关键字
  2. and
  3. del
  4. from
  5. not
  6. while
  7. as
  8. elif
  9. global
  10. or
  11. with
  12. assert
  13. else
  14. if
  15. pass
  16. yield
  17. break
  18. except
  19. import
  20. print
  21. class
  22. exec
  23. in
  24. raise
  25. continue
  26. finally
  27. is
  28. return
  29. def
  30. for
  31. lambda
  32. try
  33.  
  34. 数据类型
  35. True
  36. False
  37. None
  38. strings
  39. numbers
  40. floats
  41. lists
  42.  
  43. 字符串转义序列(Escape Sequences)
  44.  
  45. \\
  46. \'
  47. \"
  48. \a
  49. \b
  50. \f
  51. \n
  52. \r
  53. \t
  54. \v
  55.  
  56. 字符串格式化(String Formats)
  57. %d -------》 数字
  58. %i
  59. %o
  60. %u
  61. %x
  62. %X
  63. %e
  64. %E
  65. %f --------》 小数
  66. %F
  67. %g
  68. %G
  69. %c
  70. %r ----------》%r 调用 rper函数打印字符串,repr函数返回的字符串是加上了转义序列,是直接书写的字符串的形式
  71. %s ----------》%s 调用 str函数打印字符串,str函数返回原始字符串
  72. %%
  73.  
  74. 操作符号
  75. +
  76. -
  77. *
  78. **
  79. /
  80. //
  81. %
  82. <
  83. >
  84. <=
  85. >=
  86. ==
  87. !=
  88. <>
  89. ( )
  90. [ ]
  91. { }
  92. @
  93. ,
  94. :
  95. .
  96. =
  97. ;
  98. +=
  99. -=
  100. *=
  101. /=
  102. //=
  103. %=
  104. **=

习题37:列表

  1. ten_things = "Apples Oranges Crows Telephone Light Sugar"
  2. print "Wait there's not 10 things in that list, let's fix that."
  3. stuff = ten_things.split(' ')
  4. more_stuff = ["Day", "Night", "Song", "Frisbee", "Corn","Banana", "Girl", "Boy"]
  5.  
  6. while len(stuff) != 10:
  7. next_one = more_stuff.pop()
  8. print "Adding: ", next_one
  9. stuff.append(next_one)
  10. print "There's %d items now." % len(stuff)
  11. print "There we go: ", stuff
  12. print "Let's do some things with stuff."
  13. print stuff[1]
  14. print stuff[-1] # whoa! fancy
  15. print stuff.pop()
  16. print ' '.join(stuff) # what? cool!
  17. print '#'.join(stuff[3:5]) # super stellar!
  18.  
  19. [root@localhost py]# python ex
  20. ex15_sample.txt ex39.py
  21. [root@localhost py]# python ex39.py
  22. Wait there's not 10 things in that list, let's fix that.
  23. Adding: Boy
  24. There's 7 items now.
  25. Adding: Girl
  26. There's 8 items now.
  27. Adding: Banana
  28. There's 9 items now.
  29. Adding: Corn
  30. There's 10 items now.
  31. There we go: ['Apples', 'Oranges', 'Crows', 'Telephone', 'Light', 'Sugar', 'Boy', 'Girl', 'Banana', 'Corn']
  32. Let's do some things with stuff.
  33. Oranges
  34. Corn
  35. Corn
  36. Apples Oranges Crows Telephone Light Sugar Boy Girl Banana
  37. Telephone#Light

习题 40:  字典

  1. [root@localhost py]# cat dict.py
  2. #!/usr/bin/env python
  3. cities = {'CA': 'San Francisco', 'MI': 'Detroit','FL': 'Jacksonville'}
  4. cities['NY'] = 'New York'
  5. cities['OR'] = 'Portland'
  6. print cities
  7. def find_city(themap, state):
  8. if state in themap:
  9. return themap[state]
  10. else:
  11. return "Not found."
  12. # ok pay attention!
  13. cities['_find'] = find_city
  14. while True:
  15. print "State? (ENTER to quit)",
  16. state = raw_input("> ")
  17. if not state: break
  18. # this line is the most important ever! study!
  19. city_found = cities['_find'](cities, state)
  20. print city_found

习题 41:  来自 Percal 25  号行星的哥顿人

  1. [root@localhost py]# cat gothons.py
  2. #!/usr/bin/env python
  3. from sys import exit
  4. from random import randint
  5.  
  6. def death():
  7. quips = ["You died. You kinda suck at this.",
  8. "Nice job, you died ...jackass.",
  9. "Such a luser.",
  10. "I have a small puppy that's better at this."]
  11. print quips[randint(0, len(quips)-1)]
  12. exit(1)
  13.  
  14. def central_corridor():
  15. print "The Gothons of Planet Percal #25 have invaded your ship and destroyed"
  16. print "your entire crew. You are the last surviving member and your last"
  17. print "mission is to get the neutron destruct bomb from the Weapons Armory,"
  18. print "put it in the bridge, and blow the ship up after getting into an "
  19. print "escape pod."
  20. print "\n"
  21. print "You're running down the central corridor to the Weapons Armory when"
  22. print "a Gothon jumps out, red scaly skin, dark grimy teeth, and evil clown costume"
  23. print "flowing around his hate filled body. He's blocking the door to the"
  24. print "Armory and about to pull a weapon to blast you."
  25.  
  26. action = raw_input("> ")
  27. if action == "shoot!":
  28. print "Quick on the draw you yank out your blaster and fire it at the Gothon."
  29. print "His clown costume is flowing and moving around his body, which throws"
  30. print "off your aim. Your laser hits his costume but misses him entirely. This"
  31. print "completely ruins his brand new costume his mother bought him, which"
  32. print "makes him fly into an insane rage and blast you repeatedly in the face until"
  33. print "you are dead. Then he eats you."
  34. return 'death'
  35. elif action == "dodge!":
  36. print "Like a world class boxer you dodge, weave, slip and slide right"
  37. print "as the Gothon's blaster cranks a laser past your head."
  38. print "In the middle of your artful dodge your foot slips and you"
  39. print "bang your head on the metal wall and pass out."
  40. print "You wake up shortly after only to die as the Gothon stomps on"
  41. print "your head and eats you."
  42. return 'death'
  43. elif action == "tell a joke":
  44. print "Lucky for you they made you learn Gothon insults in the academy."
  45. print "You tell the one Gothon joke you know:"
  46. print "Lbhe zbgure vf fb sng, jura fur fvgf nebhaq gur ubhfr, fur fvgf nebhaq gur ubhfr."
  47. print "The Gothon stops, tries not to laugh, then busts out laughing and can't move."
  48. print "While he's laughing you run up and shoot him square in the head"
  49. print "putting him down, then jump through the Weapon Armory door."
  50. return 'laser_weapon_armory'
  51. else:
  52. print "DOES NOT COMPUTE!"
  53. return 'central_corridor'
  54. def laser_weapon_armory():
  55. print "You do a dive roll into the Weapon Armory, crouch and scan the room"
  56. print "for more Gothons that might be hiding. It's dead quiet, too quiet."
  57. print "You stand up and run to the far side of the room and find the"
  58. print "neutron bomb in its container. There's a keypad lock on the box"
  59. print "and you need the code to get the bomb out. If you get the code"
  60. print "wrong 10 times then the lock closes forever and you can't"
  61. print "get the bomb. The code is 3 digits."
  62. code = "%d%d%d" % (randint(1,9), randint(1,9),randint(1,9))
  63. guess = raw_input("[keypad]> ")
  64. guesses = 0
  65. while guess != code and guesses < 10:
  66. print "BZZZZEDDD!"
  67. guesses += 1
  68. guess = raw_input("[keypad]> ")
  69. if guess == code:
  70. print "The container clicks open and the seal breaks, letting gas out."
  71. print "You grab the neutron bomb and run as fast as you can to the"
  72. print "bridge where you must place it in the right spot."
  73. return 'the_bridge'
  74. else:
  75. print "The lock buzzes one last time and then you hear a sickening"
  76. print "melting sound as the mechanism is fused together."
  77. print "You decide to sit there, and finally the Gothons blow up the"
  78. print "ship from their ship and you die."
  79. return 'death'
  80.  
  81. def the_bridge():
  82. print "You burst onto the Bridge with the neutron destruct bomb"
  83. print "under your arm and surprise 5 Gothons who are trying to"
  84. print "take control of the ship. Each of them has an even uglier"
  85. print "clown costume than the last. They haven't pulled their"
  86. print "weapons out yet, as they see the active bomb under your"
  87. print "arm and don't want to set it off."
  88. action = raw_input("> ")
  89. if action == "throw the bomb":
  90. print "In a panic you throw the bomb at the group of Gothons"
  91. print "and make a leap for the door. Right as you drop it a"
  92. print "Gothon shoots you right in the back killing you."
  93. print "As you die you see another Gothon frantically try to disarm"
  94. print "the bomb. You die knowing they will probably blow up when"
  95. print "it goes off."
  96. return 'death'
  97. elif action == "slowly place the bomb":
  98. print "You point your blaster at the bomb under your arm"
  99. print "and the Gothons put their hands up and start to sweat."
  100. print "You inch backward to the door, open it, and then carefully"
  101. print "place the bomb on the floor, pointing your blaster at it."
  102. print "You then jump back through the door, punch the close button"
  103. print "and blast the lock so the Gothons can't get out."
  104. print "Now that the bomb is placed you run to the escape pod to"
  105. print "get off this tin can."
  106. return 'escape_pod'
  107. else:
  108. print "DOES NOT COMPUTE!"
  109. return "the_bridge"
  110.  
  111. def escape_pod():
  112. print "You rush through the ship desperately trying to make it to"
  113. print "the escape pod before the whole ship explodes. It seems like"
  114. print "hardly any Gothons are on the ship, so your run is clear of"
  115. print "interference. You get to the chamber with the escape pods, and"
  116. print "now need to pick one to take. Some of them could be damaged"
  117. print "but you don't have time to look. There's 5 pods, which one"
  118. print "do you take?"
  119. good_pod = randint(1,5)
  120. guess = raw_input("[pod #]> ")
  121. if int(guess) != good_pod:
  122. print "You jump into pod %s and hit the eject button." % guess
  123. print "The pod escapes out into the void of space,then"
  124. print "implodes as the hull ruptures, crushing your body"
  125. print "into jam jelly."
  126. return 'death'
  127. else:
  128. print "You jump into pod %s and hit the eject button." % guess
  129. print "The pod easily slides out into space heading to"
  130. print "the planet below. As it flies to the planet,you look"
  131. print "back and see your ship implode then explode like a"
  132. print "bright star, taking out the Gothon ship at the same"
  133. print "time. You won!"
  134. exit(0)
  135.  
  136. ROOMS = {
  137. 'death': death,
  138. 'central_corridor': central_corridor,
  139. 'laser_weapon_armory': laser_weapon_armory,
  140. 'the_bridge': the_bridge,
  141. 'escape_pod': escape_pod
  142. }
  143.  
  144. def runner(map, start):
  145. next = start
  146. while True:
  147. room = map[next]
  148. print "\n--------"
  149. next = room()
  150.  
  151. runner(ROOMS, 'central_corridor')

习题 42: 类(高级的函数)

  1. [root@localhost py]# cat class.py
  2. #!/usr/bin/env python
  3. class TheThing(object):
  4. def __init__(self):
  5. self.number = 0
  6. def some_function(self):
  7. print "I got called."
  8. def add_me_up(self, more):
  9. self.number += more
  10. return self.number
  11. # two different things
  12. a = TheThing()
  13. b = TheThing()
  14.  
  15. a.some_function()
  16. b.some_function()
  17.  
  18. print a.add_me_up(20)
  19. print a.add_me_up(20)
  20.  
  21. print b.add_me_up(30)
  22. print b.add_me_up(30)
  23.  
  24. print a.number
  25. print b.number
  1. [root@localhost py]# python class.py
  2. I got called.
  3. I got called.
  4. 20
  5. 40
  6. 30
  7. 60
  8. 40
  9. 60

 总结:

参数里的 self 了吧?你知道它是什么东西吗?对了,它就是 Python 创建的额外的一个参数,有了它你才能实现 a.some_function()
__init__ 函数是为Python class 设置内部变量的方式。你可以使用.将它们设置到self上面。你的__init__不应该做太多的事情,这会让 class 变得难以使用。

class 使用 “camel case(驼峰式大小写)”,例如 SuperGoldFactory
普通函数应该使用 “underscore format(下划线隔词)”, my_awesome_hair ,

永远永远都使用 class Name(object) 的方式定义 class

python练习题-3的更多相关文章

  1. Python练习题 028:求3*3矩阵对角线数字之和

    [Python练习题 028] 求一个3*3矩阵对角线元素之和 ----------------------------------------------------- 这题解倒是解出来了,但总觉得 ...

  2. Python练习题 027:对10个数字进行排序

    [Python练习题 027] 对10个数字进行排序 --------------------------------------------- 这题没什么好说的,用 str.split(' ') 获 ...

  3. Python练习题 026:求100以内的素数

    [Python练习题 026] 求100以内的素数. ------------------------------------------------- 奇怪,求解素数的题,之前不是做过了吗?难道是想 ...

  4. Python练习题 025:判断回文数

    [Python练习题 025] 一个5位数,判断它是不是回文数.即12321是回文数,个位与万位相同,十位与千位相同. ---------------------------------------- ...

  5. Python练习题 024:求位数及逆序打印

    [Python练习题 024] 给一个不多于5位的正整数,要求:一.求它是几位数,二.逆序打印出各位数字. ---------------------------------------------- ...

  6. Python练习题 004:判断某日期是该年的第几天

    [Python练习题 004]输入某年某月某日,判断这一天是这一年的第几天? ---------------------------------------------- 这题竟然写了 28 行代码! ...

  7. Python练习题-1.使用匿名函数对1~1000求和,代码力求简洁。

    Python 练习 标签(空格分隔): Python Python练习题 Python知识点 一.使用匿名函数对1~1000求和,代码力求简洁. 答案: In [1]: from functools ...

  8. PYTHON练习题 二. 使用random中的randint函数随机生成一个1~100之间的预设整数让用户键盘输入所猜的数。

    Python 练习 标签: Python Python练习题 Python知识点 二. 使用random中的randint函数随机生成一个1~100之间的预设整数让用户键盘输入所猜的数,如果大于预设的 ...

  9. python 基础 2.8 python练习题

    python 练习题:   #/usr/bin/python #coding=utf-8 #@Time   :2017/10/26 9:38 #@Auther :liuzhenchuan #@File ...

  10. Python练习题2

    如果真的想学精,学什么都不是好学的,如果真的想把Python学的出神入化,几乎自己想做什么都可以,就要下定恒心,坚持下去. 接下来继续更新Python练习题2,通过更新前一部的练习题让自己也学到了不少 ...

随机推荐

  1. Redis配置和常用命令

    redis.conf配置文件: 引用 #是否作为守护进程运行 daemonize yes #配置pid的存放路径及文件名,默认为当前路径下 pidfile redis.pid #Redis默认监听端口 ...

  2. jQuery事件:bind、delegate、on的区别

    最近在AngularJS的开发中,遇到一个神奇的事情:我们用到livebox来预览评论列表中的图片, 然而评论列表是由Angular Resource动态载入的.不可思议的是,点击这些动态载入的图片仍 ...

  3. SCUT入门-环境搭建

    SCUT是一款基于C#且开源的游戏服务端框架,并且有一定的上线项目.最近正在入门中... 1.安装 去官网可以直接下载安装版:http://www.scutgame.com/ 源代码建议OSC Chi ...

  4. Hadoop在线分析处理(OLAP)

    数据处理与联机分析处理 ( OLAP ) 联机分析处理是那些为了支持商业智能,报表和数据挖掘与探索等业务而开展的工作.这类工作的样例有零售商按地区和季度两个维度计算门店销售额,银行按语言和月份两个维度 ...

  5. Flume 中文入门手冊

    原文:https://cwiki.apache.org/confluence/display/FLUME/Getting+Started 什么是 Flume NG? Flume NG 旨在比起 Flu ...

  6. Python中的strip()的理解

    在看到Python中strip的时候产生了疑问 strip() 用于移除字符串头尾指定的字符(默认为空格) 开始测试: >>> s = 'ncy_123.python' >&g ...

  7. 167. Add Two Numbers【easy】

    You have two numbers represented by a linked list, where each node contains a single digit. The digi ...

  8. JS四种方法去除字符串最后的逗号

    <script> window.onload=function() { var obj = {name: "xxx", age: 30, sex: "fema ...

  9. Lucene:基于Java的全文检索引擎简介 (zhuan)

    http://www.chedong.com/tech/lucene.html ********************************************** Lucene是一个基于Ja ...

  10. Windows 8.1下安装Mac OS X 10.8虚拟机

    转载自http://blog.csdn.net/jordanxinwang/article/details/43637799 1.准备 宿主操作系统:Windows 8.1 64位.特别地,需要CPU ...