0%

Welcome to Hexo! This is your very first post. Check documentation for more info. If you get any problems when using Hexo, you can find the answer in troubleshooting or you can ask me on GitHub.

Quick Start

Create a new post

1
$ hexo new "My New Post"

More info: Writing

Run server

1
$ hexo server

More info: Server

Generate static files

1
$ hexo generate

More info: Generating

Deploy to remote sites

1
$ hexo deploy

More info: Deployment

项目简介

本项目中包括两个版本的简单拼字文字游戏。

前一版本中,我们让由人类玩家参与游戏过程,后者则交给计算机来执行设定的游戏策略。

这种拼字游戏的完成版就是常在报纸上见到的填字游戏,欧美国家的游客在旅途上似乎非常喜欢这个游戏。

Version1:人类玩家版本

编程策略上,我们将大的模块分解成功能清晰且小的函数,这将便于测试和调试。

首先我们可以完成辅助性的函数模块:

辅助性模块

  1. loadWords()
  2. getFrequencyDict(sequence)

它们分别用来读取词库、将列表中的字母按照 字母频次 进行输出

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
def loadWords():
"""
Returns a list of valid words. Words are strings of lowercase letters.

Depending on the size of the word list, this function may
take a while to finish.
"""
print("Loading word list from file...")
# inFile: file
inFile = open(WORDLIST_FILENAME, 'r')
# wordList: list of strings
wordList = []
for line in inFile:
wordList.append(line.strip().lower())
print(" ", len(wordList), "words loaded.")
return wordList

def getFrequencyDict(sequence):
"""
Returns a dictionary where the keys are elements of the sequence
and the values are integer counts, for the number of times that
an element is repeated in the sequence.

sequence: string or list
return: dictionary
"""
# freqs: dictionary (element_type -> int)
freq = {}
for x in sequence:
freq[x] = freq.get(x,0) + 1
return freq

基本函数

getWordScore(word, n) ,用于计算在本次拼字尝试中的得分

计算得分的规则为:
score = 总和(字母分值)* 长度 + bonus(50)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
def getWordScore(word, n):
"""
Returns the score for a word. Assumes the word is a valid word.

The score for a word is the sum of the points for letters in the
word, multiplied by the length of the word, PLUS 50 points if all n
letters are used on the first turn.

Letters are scored as in Scrabble; A is worth 1, B is worth 3, C is
worth 3, D is worth 2, E is worth 1, and so on (see SCRABBLE_LETTER_VALUES)

word: string (lowercase letters)
n: integer (HAND_SIZE; i.e., hand size required for additional points)
returns: int >= 0
"""
#
score = 0
for elm in word:
score += SCRABBLE_LETTER_VALUES[elm]
score *= len(word)
if len(word) == n:
score += 50
return score

displayHand(hand),对当前拼字尝试在控制台上进行输出,便于游戏玩家查看

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
def displayHand(hand):
"""
Displays the letters currently in the hand.

For example:
>>> displayHand({'a':1, 'x':2, 'l':3, 'e':1})
Should print out something like:
a x x l l l e
The order of the letters is unimportant.

hand: dictionary (string -> int)
"""
for letter in hand.keys():
for j in range(hand[letter]):
print(letter,end=" ") # print all on the same line
print() # print an empty line

dealHand(n) 随机生成新一轮拼字的题目,即乱序的字母,需要包含一定的元音

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
def dealHand(n):
"""
Returns a random hand containing n lowercase letters.
At least n/3 the letters in the hand should be VOWELS.

Hands are represented as dictionaries. The keys are
letters and the values are the number of times the
particular letter is repeated in that hand.

n: int >= 0
returns: dictionary (string -> int)
"""
hand={}
numVowels = n // 3

for i in range(numVowels):
x = VOWELS[random.randrange(0,len(VOWELS))]
hand[x] = hand.get(x, 0) + 1

for i in range(numVowels, n):
x = CONSONANTS[random.randrange(0,len(CONSONANTS))]
hand[x] = hand.get(x, 0) + 1

return hand

updateHand(hand, word)

用于在下一轮拼字猜测之前,删除上一轮已被成功使用过的字母。遗留在字典中的字母可以输出,以提示用户

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
def updateHand(hand, word):
"""
Assumes that 'hand' has all the letters in word.
In other words, this assumes that however many times
a letter appears in 'word', 'hand' has at least as
many of that letter in it.

Updates the hand: uses up the letters in the given word
and returns the new hand, without those letters in it.

Has no side effects: does not modify hand.

word: string
hand: dictionary (string -> int)
returns: dictionary (string -> int)
"""
# TO DO ... <-- Remove this comment when you code this function
new = hand.copy()
for letter in word:
new[letter] -= 1
return new

isValidWord(word, hand, wordList)

验证拼字时的猜测是否能构成有效的单词。 预先以及提供了一份有效单词的列表,存储在wordList中。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
def isValidWord(word, hand, wordList):
"""
Returns True if word is in the wordList and is entirely
composed of letters in the hand. Otherwise, returns False.

Does not mutate hand or wordList.

word: string
hand: dictionary (string -> int)
wordList: list of lowercase strings
"""
# TO DO ... <-- Remove this comment when you code this function
if word not in wordList:
return False
for a in word:
if hand.get(a,0) < getFrequencyDict(word)[a]:
return False
return True

这个函数也可以直接用一行写完。但似乎在可读性和效率上,也没有一行写完的必要?

1
2
# 2rd solution : one line 
# return word in wordList and all(hand.get(a, 0) >= b for a, b in getFrequencyDict(word).items())

calculateHandlen(hand)

计算拼字猜测中,总计包含的字母数量

1
2
3
4
5
6
7
8
9
10
11
12
def calculateHandlen(hand):
"""
Returns the length (number of letters) in the current hand.

hand: dictionary (string-> int)
returns: integer
"""
# TO DO... <-- Remove this comment when you code this function
sum = 0
for i in range(len(hand.keys())):
sum += list(hand.values())[i]
return sum

这个比较适合一行写完

1
2
# 2rd solution:
# return sum(x for x in hand.values())

进入正题

playHand(hand, wordList, n)

包含:

  • 一轮猜测中所需要处理的交互(用户输入、控制台输出)
  • 控制流程
  • 计算得分
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
def playHand(hand, wordList, n):
"""
Allows the user to play the given hand, as follows:

* The hand is displayed.
* The user may input a word or a single period (the string ".")
to indicate they're done playing
* Invalid words are rejected, and a message is displayed asking
the user to choose another word until they enter a valid word or "."
* When a valid word is entered, it uses up letters from the hand.
* After every valid word: the score for that word is displayed,
the remaining letters in the hand are displayed, and the user
is asked to input another word.
* The sum of the word scores is displayed when the hand finishes.
* The hand finishes when there are no more unused letters or the user
inputs a "."

hand: dictionary (string -> int)
wordList: list of lowercase strings
n: integer (HAND_SIZE; i.e., hand size required for additional points)

"""
score = 0
# As long as there are still letters left in the hand:
while calculateHandlen(hand) > 0:
# Display the hand
print("Current Hand:",end = ' ')
displayHand(hand)
# Ask user for input
newin = input("Enter word, or a '.' to indicate that you are finished: ")
# If the input is a single period:
if newin == ".":
# End the game (break out of the loop)
break
# Otherwise (the input is not a single period):
else:
# If the word is not valid:
if isValidWord(newin, hand, wordList) == False:
# Reject invalid word (print a message followed by a blank line)
print("Invalid word, please try again.")
# Otherwise (the word is valid):
else:
# Tell the user how many points the word earned, and the updated total score, in one line followed by a blank line
current_score = getWordScore(newin, n)
score += current_score
print(newin + " earned " + str
(current_score) + " points. Total: " + str(score))
# Update the hand
hand = updateHand(hand, newin)
# Game is over (user entered a '.' or ran out of letters), so tell user the total score
if newin == '.':
print('Goodbye! Total score:', score, 'points.')
else:
print('Run out of letters. Total score:', score, 'points.')

playGame(wordList) 正式游戏开始

主要包含一些用户与计算机的交互操作:

  • 继续游戏?
  • 重新开始?
  • 结束游戏?
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
def playGame(wordList):
"""
Allow the user to play an arbitrary number of hands.

1) Asks the user to input 'n' or 'r' or 'e'.
* If the user inputs 'n', let the user play a new (random) hand.
* If the user inputs 'r', let the user play the last hand again.
* If the user inputs 'e', exit the game.
* If the user inputs anything else, tell them their input was invalid.

2) When done playing the hand, repeat from step 1
"""
n = HAND_SIZE
hand= {}
while True:
choice = input("Enter n to deal a new hand, r to replay the last hand, or e to end game: ")
if choice == 'r':
if not hand:
print('You have not played a hand yet. Please play a new hand first!')
else:
playHand(hand, wordList, n)
elif choice == 'n':
hand = dealHand(n)
playHand(hand, wordList, n)
elif choice == 'e':
break
else:
print("Invalid command.")

游戏主程序

导入需要的库、进行全局变量的定义

1
2
3
4
5
6
7
8
9
10
11
12
import random
import string

VOWELS = 'aeiou'
CONSONANTS = 'bcdfghjklmnpqrstvwxyz'
HAND_SIZE = 7

SCRABBLE_LETTER_VALUES = {
'a': 1, 'b': 3, 'c': 3, 'd': 2, 'e': 1, 'f': 4, 'g': 2, 'h': 4, 'i': 1, 'j': 8, 'k': 5, 'l': 1, 'm': 3, 'n': 1, 'o': 1, 'p': 3, 'q': 10, 'r': 1, 's': 1, 't': 1, 'u': 1, 'v': 4, 'w': 4, 'x': 8, 'y': 4, 'z': 10
}

WORDLIST_FILENAME = "words.txt"

进行程序的执行

1
2
3
4
5
# Build data structures used for entire session and play game
#
if __name__ == '__main__':
wordList = loadWords()
playGame(wordList)
Loading word list from file...
   83667 words loaded.
Enter n to deal a new hand, r to replay the last hand, or e to end game: e

测试样例

已通过单元测试和整体测试,篇幅关系不再赘述

Version2 :计算机玩家版本

计算机版本中,辅助性函数和基本函数没有改变,仅在游戏交互和流程上多了一些内容。

用户可以选择是否由计算机执行拼字操作。

由此,我们能够观察到最终策略导致的得分差异。

导入需要的模块

1
2
from ps4a import *
import time

基本策略部分

版本 2 中 ,我们还需要在版本 1 的基础上写全新的计算机处理的基本策略部分。

分为 ** compChooseWord(hand, wordList, n) ** 和** compPlayHand(hand, wordList, n)** 两部分

compChooseWord(hand, wordList, n)

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
def compChooseWord(hand, wordList, n):
"""
Given a hand and a wordList, find the word that gives
the maximum value score, and return it.

This word should be calculated by considering all the words
in the wordList.

If no words in the wordList can be made from the hand, return None.

hand: dictionary (string -> int)
wordList: list (string)
n: integer (HAND_SIZE; i.e., hand size required for additional points)

returns: string or None
"""
# Create a new variable to store the maximum score seen so far (initially 0)
bestScore = 0
# Create a new variable to store the best word seen so far (initially None)
bestWord = None
# For each word in the wordList
for word in wordList:
# If you can construct the word from your hand
if isValidWord(word, hand, wordList):
# find out how much making that word is worth
score = getWordScore(word, n)
# If the score for that word is higher than your best score
if (score > bestScore):
# update your best score, and best word accordingly
bestScore = score
bestWord = word
# return the best word you found
return bestWord

compPlayHand(hand, wordList, n)函数

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
def compPlayHand(hand, wordList, n):
"""
Allows the computer to play the given hand, following the same procedure
as playHand, except instead of the user choosing a word, the computer
chooses it.

1) The hand is displayed.
2) The computer chooses a word.
3) After every valid word: the word and the score for that word is
displayed, the remaining letters in the hand are displayed, and the
computer chooses another word.
4) The sum of the word scores is displayed when the hand finishes.
5) The hand finishes when the computer has exhausted its possible
choices (i.e. compChooseWord returns None).

hand: dictionary (string -> int)
wordList: list (string)
n: integer (HAND_SIZE; i.e., hand size required for additional points)
"""
# Keep track of the total score
totalScore = 0
# As long as there are still letters left in the hand:
while (calculateHandlen(hand) > 0) :
# Display the hand
print("Current Hand: ", end=' ')
displayHand(hand)
# computer's word
word = compChooseWord(hand, wordList, n)
# If the input is a single period:
if word == None:
# End the game (break out of the loop)
break

# Otherwise (the input is not a single period):
else :
# If the word is not valid:
if (not isValidWord(word, hand, wordList)) :
print('This is a terrible error! I need to check my own code!')
break
# Otherwise (the word is valid):
else :
# Tell the user how many points the word earned, and the updated total score
score = getWordScore(word, n)
totalScore += score
print('"' + word + '" earned ' + str(score) + ' points. Total: ' + str(totalScore) + ' points')
# Update hand and show the updated hand to the user
hand = updateHand(hand, word)
print()
# Game is over (user entered a '.' or ran out of letters), so tell user the total score
print('Total score: ' + str(totalScore) + ' points.')

主程序部分

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
def playGame(wordList):
"""
Allow the user to play an arbitrary number of hands.

1) Asks the user to input 'n' or 'r' or 'e'.
* If the user inputs 'e', immediately exit the game.
* If the user inputs anything that's not 'n', 'r', or 'e', keep asking them again.

2) Asks the user to input a 'u' or a 'c'.
* If the user inputs anything that's not 'c' or 'u', keep asking them again.

3) Switch functionality based on the above choices:
* If the user inputted 'n', play a new (random) hand.
* Else, if the user inputted 'r', play the last hand again.

* If the user inputted 'u', let the user play the game
with the selected hand, using playHand.
* If the user inputted 'c', let the computer play the
game with the selected hand, using compPlayHand.

4) After the computer or user has played the hand, repeat from step 1

wordList: list (string)
"""
# TO DO... <-- Remove this comment when you code this function
# print("playGame not yet implemented.") # <-- Remove this when you code this function
n = HAND_SIZE
hand= {}
while True:
choice = input("Enter n to deal a new hand, r to replay the last hand, or e to end game: ")
if choice == 'n':
hand = dealHand(n)
while True:
who = input("Enter u to have yourself play, c to have the computer play: ")
if who not in ['u','c']:
print('Invalid command.')
else:
break
if who == 'u':
playHand(hand, wordList, n)
else:
compPlayHand(hand, wordList, n)
elif choice == 'e':
break
elif choice == 'r':
if not hand:
print('You have not played a hand yet. Please play a new hand first!')
else:
while True:
who = input("Enter u to have yourself play, c to have the computer play: ")
if who not in ('u', 'c'):
print('Invalid command.')
else:
break
if who == 'u':
playHand(hand, wordList, n)
elif who == 'c':
compPlayHand(hand, wordList, n)
else:
print("Invalid command.")

游戏运行

1
2
3
if __name__ == '__main__':
wordList = loadWords()
playGame(wordList)
Loading word list from file...
   83667 words loaded.
Enter n to deal a new hand, r to replay the last hand, or e to end game: n
Enter u to have yourself play, c to have the computer play: c
Current Hand:  u e w c x f n 
"enuf" earned 28 points. Total: 28 points

Current Hand:  w c x 
Total score: 28 points.
Enter n to deal a new hand, r to replay the last hand, or e to end game: r
Enter u to have yourself play, c to have the computer play: u
Current Hand: u e w c x f n 
Enter word, or a '.' to indicate that you are finished: 。
Invalid word, please try again.
Current Hand: u e w c x f n 
Enter word, or a '.' to indicate that you are finished: .
Goodbye! Total score: 0 points.
Enter n to deal a new hand, r to replay the last hand, or e to end game: e

项目参考资料

  1. John V. Guttag - Introduction to Computation and Programming Using Python_ With Application to Understanding Data (2016, The MIT Press)
  2. Advanced Python http://www.scipy-lectures.org/advanced/advanced_python/index.html
  3. Python Documentation https://docs.python.org/3/index.html

按照不同项目的要求,选择相应的 conda 环境和合适的内核。

顶部的选项卡是 Files、Running和 Cluster。

Files显示当前目录中的所有文件和文件夹。点击 Running选项卡会列出所有正在运行的 notebook。我们可以在该选项卡中管理这些 notebook。

Clusters 用于创建多个用于并行计算的内核。现在,一般使用 ipyparallel ,因此 cluster 选项卡如今用处不多。

启动 Jupyter Notebook 服务器

按照Jupyter文档,我们可以看到整体的架构:

Browser————Notebook Server(read notebook files)————Kernel

核心是服务器,Browser 将其呈现为 Web 应用形式,保存文件为JSON 格式的 ipynb 。这样内核无需运行 python。

由于 notebook 和内核分离,两者之间传递任何语言的代码。早期的两个非 Python 内核分别是 R 语言和 Julia 语言。因此,Jupyter 一词,也是由 Julia、Python 和 R 组合而成。

关闭 Jupyter

  1. 保存 notebook,关闭
  2. 关闭服务器

notebook 界面

了解 cell 和命令面板
自动保存快捷键:esc + “C”

关于 Cell

执行代码并移动到下一格: Shift + Enter
执行代码保持在这一格:Control + Enter
代码补齐:tab
查看文档中的使用建议:Shift + Tab (可 2 次显示完整内容)

关于 Markdown

  1. 一般使用
  2. 数学公式 Latex使用
  3. Github 上的指南
  4. 速查指南 速查

熟悉快捷键

  1. 模式转换:在编辑模式和命令模式中转换。
    编辑模式中:增加内容。在上一个cell中执行‘shift + enter’,键入enter 进入编辑模式
    命令模式中:执行命令。在编辑模式中,键入escape ,进入命令模式。
  2. 命令模式下,可以呼出帮助列表
    H:help list
    A:在上方(Above)创建新的cell
    B:在下方(Below)创建新的cell
    M/Y:切换md与代码
    L:打开行号表示(line number)
    DD:连续按两次d,可以删除cell
    S:保存文件
    Command + P/Shift + Control:打开命令面板,搜索指令,也可以鼠标选择小键盘符号
  3. 总之要多尝试才能熟悉 :D

Magic 关键字

Magic 关键字是可以在单元格中运行的特殊命令,能让你控制 notebook 本身或执行系统调用,
例如更改目录。

notebook 中可以使用 %matplotlib 将 matplotlib 设置为以交互方式工作

按照作用域不同,分为两类
类型一:% 是行 magic 命令
类型二:%% 是单元格 magic 命令

  1. timeit:计时代码的运算时间
  2. matplotlibmatplotlib inline :创造可视化内容时,我们可以使用对应的交互模块/绘画包,嵌入内容
    PS:一般,可以通过命令传递参数,以选择特定后端
  3. %pdb:这是在notebook中进行调试的命令,开启交互式调试器。在代码出错的时候,可以检查当前命名空间中的变量。
    代码调试器文档参考
  4. 更多参考

转换 Notebook

注意:Notebook 时扩展名为 .ipynb 的大型 JSON 文件。

内置的 nbconvert 可以直接转换 notebook 成 HTML、Markdown、幻灯片等形式。

转换命令如下:

1
jupyter nbconvert --to html notebook.ipynb

转换命令参考文档

幻灯片展示

  1. 设置显示模式:
    在菜单栏中,点击 “View” >“Cell Toolbar”>“Slideshow”

然后每个cell 可以定义为不同的显示类型{Slide,sub slide,fragment,skip,notes}.
Slides:是你从左向右移动的完整幻灯片。
Sub-slides:按上/下的箭头时,子幻灯片会显示,一般起补充说明作用。
Fragments:最初是隐藏的。
Skip:会忽略幻灯片中的单元格
Notes:会将为演讲者保留备注

  1. 运行幻灯片
1
jupyter nbconvert notebook.ipynb --to slides

这条命令可以直接将 notebook 转换为幻灯片所需要的文件,但还需要提交给 HTTP 服务器才能真正看到演示文稿。

** 提交到服务器,并直接显示! **

1
jupyter nbconvert notebook.ipynb --to slides --post serve

tl;dr

仍在更新中……
Anaconda和 Jupyter Notebook 使用后的推荐度很高,在此整理一下笔记。

简介

Anaconda

Anaconda 是数据科学常用包的 Python 发行版,简单理解为管理工具。
其主要基于 conda 衍生而来,而这个 conda 就是包/环境管理器。
它可以帮助你更简单地按照不同的项目需求创建编程环境;分隔不同 Python 版本、不同包版本;安装、卸载和更新包。
除了 conda ,其中还包含 150 多个包及 dependency。

Conda

包管理

包管理器用于在计算机上安装库和其他软件。平时使用 python 的时候,我们通常使用默认的 Python 默认包管理器 pip。conda 与之相似,但其中可管理的包为数据科学领域,也支持其他非 Python 包。

虚拟环境管理

conda 同时还有虚拟环境管理的作用,类似于 virtualenv 和 pyenv 。

Jupyter notebook

本质上是一种文档,其中可以组合保存说明文本、图像、代码(可执行)、公式和其他可视化内容。
自2011年开始流行,目前已经成为了数据分析的标准环境。

安装 Anaconda

anaconda 中使用的 Python 不影响以及安装在本地的 Python 。它使用的是 anaconda 附带的 Python。
使用 conda list 命令查看所有安装的包版本。
使用 conda upgrade --all 命令更新所有,避免报错。
使用 conda install package_name 安装新包
可以多个,例如 conda install numpy scipy pandas
也可指定版本号 conda install numpy= 1.09

安装时会自动安装 dependency
使用 conda remove package_name 卸载
使用 conda upgrade package_name 更新
不知道包的具体名字,则用 conda search search_term 搜索

环境管理

创建环境

conda create -n env_name list of packages

进入环境

source activate my_env 进入环境

保存和加载环境

conda env export > environment.yaml 保存环境为YAML

列出环境

conda env list

删除环境

conda env remove -n env_name

安装使用 Jupyter notebook

notebook 能将数据处理后需要展示的一切内容集中在一起。

题外话:文学化编程概念

早在1984年,Donald Knuth 就提出了 Notebook 所应用的文字表达编程的概念。我们不只是可以为程序编写额外的文档内容,而是可以讲文字叙述和程序代码融合在一起。更好地向人解释,我们如何解决问题的逻辑和方法。

让我们集中精力向人们解释我们希望计算机做什么,而不是指示计算机做什么。

文学化编程概念已经发展成为了一门完整的编程语言,即 Eve。

在 anaconda 环境中安装 notebook

conda install jupyter notebook 即可

启动 notebook

jupyter notebook

服务器主页会在浏览器页面中打开。默认情况下,notebook 服务器的运行地址是 http://localhost:8888。

tl,dr

在童年时代的剑桥英语课上,老师为了提高大家学习语言的兴趣带我们玩过类似的猜单词游戏。而再次接触到这个游戏并留下深刻印象(马失前蹄小人突然被吊死,悲惨接受 game over 结局),则要到中学阶段的文曲星上了。
所谓的 classic 随着时代的变化,都成为了并不遥远,但也已经朦朦胧胧的美好记忆了。

游戏规则

基本的游戏规则如下:Wiki/Hangman

交互方式

  1. 游戏开始阶段,玩家需要被告知需要猜测的单词的长度
  2. 玩家每轮提供一次猜测(字母)
  3. 计算机给出对本轮猜测的判定结果
  4. 显示本轮猜测之后当前单词猜测状态(已经猜对的部分显示,未能猜出的部分用符号之类替代留出)

额外规则

  • 每次游戏的玩家可以有 8 次游戏机会。
  • 每轮结束后,计算机给出提示,还有 * 次机会
  • 假定玩家每轮只输入一个字母(A-Z),如果猜测不在答案之中,则本轮失败。
  • 如果玩家多次猜测相同字母,不计入失败,而是显示信息:已经猜过了,请再试一次
  • 猜对单词中的全部字母,则游戏挑战成功。使用完全部机会,则游戏挑战失败

分解函数

而复现这个刽子手的游戏,编程前需要如何规划?

  1. 首先,需要构建两个大模块
    • helper functions, 完成辅助性函数的定义
    • hangman:游戏主程序
  2. 划分功能
    • Is the Word Guessed,
      函数:用来判断这个字母是否已经猜过
      isWordGuessed 函数有两个参数:
      1. string 的 secretWord
      2. list 的 lettersGuessed
      返回 boolean:
      如果secretWord已经猜测过,True
      else False
    • Printing Out the User’s Guess
      函数:用来显示玩家当前猜测轮后单词的“被猜测”状态
      getGuessedWord 也是两个参数,secretWord,lettersGuessed
      secretWord 是 string 需要转成 list 才可以更改
      用' _ ' 代替没有猜到的字母
      返回替代修改后的单词
    • Printing Out all Available Letters
      函数:显示当前可用的单词
      调用了string.ascii_lowercase
      如果字母在猜测过的列表中,则从可用中去除

思考过程

在真正开始搭建游戏的主程序之前,我们先完成小的函数模块。
在 hangman 主程序中拼接小的功能、循环控制游戏进程、提供输入输出的信息与玩家进行交互。
主要用到 list、string 之类的简单知识,并不难但是编程思想非常重要 XD
参考

Code Solution 如下

isWordGuessed(secretWord, lettersGuessed)

1
2
3
4
5
6
7
8
9
10
11
12
def isWordGuessed(secretWord, lettersGuessed):
'''
secretWord: string, the word the user is guessing
lettersGuessed: list, what letters have been guessed so far
returns: boolean, True if all the letters of secretWord are in lettersGuessed;
False otherwise
'''
gussed = True
for elm in secretWord:
if elm not in lettersGuessed:
gussed = False
return gussed

getGuessedWord(secretWord, lettersGuessed)

1
2
3
4
5
6
7
8
9
10
11
12
def getGuessedWord(secretWord,  ):
'''
secretWord: string, the word the user is guessing
lettersGuessed: list, what letters have been guessed so far
returns: string, comprised of letters and underscores that represents
what letters in secretWord have been guessed so far.
'''
ans = list(secretWord)
for i in range(0,len(secretWord)):
if ans[i] not in lettersGuessed:
ans[i] = ' _ '
return ''.join(ans)

getAvailableLetters(lettersGuessed)

1
2
3
4
5
6
7
8
9
10
11
12
def getAvailableLetters(lettersGuessed):
'''
lettersGuessed: list, what letters have been guessed so far
returns: string, comprised of letters that represents what letters have not
yet been guessed.
'''
alpha = list(string.ascii_lowercase)
ans =[]
for i in range(0,len(alpha)):
if alpha[i] not in lettersGuessed:
ans.append(alpha[i])
return ''.join(ans)

hangman

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
def hangman(secretWord):

secretWord: string, the secret word to guess.

Starts up an interactive game of Hangman.

* At the start of the game, let the user know how many
letters the secretWord contains.

* Ask the user to supply one guess (i.e. letter) per round.

* The user should receive feedback immediately after each guess
about whether their guess appears in the computers word.

* After each round, you should also display to the user the
partially guessed word so far, as well as letters that the
user has not yet guessed.

Follows the other limitations detailed in the problem write-up.
'''
num_word = len(secretWord)
print("Welcome to the game, Hangman!")
print("I am thinking of a word that is " + str(num_word) + " letters long.")
print("-----------")
letters_Guessed = []
left_guess = 8
while left_guess > 0:
print("You have " + str(left_guess) + " guesses left.")
print("Available letters: " + str(getAvailableLetters(letters_Guessed)))

# get input guess from player:
# Please guess a letter: a

new_input_letter = input("Please guess a letter: ")


# Case one : if You have alreaday guessed

while new_input_letter in letters_Guessed:
print("Oops! You've already guessed that letter: " + str(getGuessedWord(secretWord, letters_Guessed)))
print("-----------")
print("You have " + str(left_guess) + " guesses left.")
print("Available letters: " + str(getAvailableLetters(letters_Guessed)))
new_input_letter = input("Please guess a letter: ")

letters_Guessed.append(new_input_letter)
# Case Two: success guess
if new_input_letter in secretWord:
print("Good guess: " + str(getGuessedWord(secretWord, letters_Guessed)))
print("-----------")
else :
print("Oops! That letter is not in my word: " + str(getGuessedWord(secretWord, letters_Guessed)))
print("-----------")
left_guess -= 1

# check the game win condition
if isWordGuessed(secretWord, letters_Guessed):

print("Congratulations, you won!")
return None

print("Sorry, you ran out of guesses. The word was else.")
return None

Test

进行测试时,我们需要提供包括所有情况的测试案例。

1
2
secretWord = chooseWord(wordlist).lower()
hangman(secretWord)

测试用例

分别使用

1:成功猜测一个短单词的情况

1
2
3
4
5
6
7
8
9
10
Welcome to the game, Hangman!
I am thinking of a word that is 1 letters long.
-----------
You have 8 guesses left.
Available letters: abcdefghijklmnopqrstuvwxyz
Please guess a letter: c
Good guess: c
-----------
Congratulations, you won!
None

2:单词中是重复字母的情况

1
2
3
4
5
6
7
8
9
10
Welcome to the game, Hangman!
I am thinking of a word that is 3 letters long.
-----------
You have 8 guesses left.
Available letters: abcdefghijklmnopqrstuvwxyz
Please guess a letter: z
Good guess: zzz
-----------
Congratulations, you won!
None

3:猜测极短但失败用例

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
Welcome to the game, Hangman!
I am thinking of a word that is 1 letters long.
-----------
You have 8 guesses left.
Available letters: abcdefghijklmnopqrstuvwxyz
Please guess a letter: a
Oops! That letter is not in my word: _
-----------
You have 7 guesses left.
Available letters: bcdefghijklmnopqrstuvwxyz
Please guess a letter: b
Oops! That letter is not in my word: _
-----------
You have 6 guesses left.
Available letters: cdefghijklmnopqrstuvwxyz
Please guess a letter: d
Oops! That letter is not in my word: _
-----------
You have 5 guesses left.
Available letters: cefghijklmnopqrstuvwxyz
Please guess a letter: e
Oops! That letter is not in my word: _
-----------
You have 4 guesses left.
Available letters: cfghijklmnopqrstuvwxyz
Please guess a letter: f
Oops! That letter is not in my word: _
-----------
You have 3 guesses left.
Available letters: cghijklmnopqrstuvwxyz
Please guess a letter: g
Oops! That letter is not in my word: _
-----------
You have 2 guesses left.
Available letters: chijklmnopqrstuvwxyz
Please guess a letter: h
Oops! That letter is not in my word: _
-----------
You have 1 guesses left.
Available letters: cijklmnopqrstuvwxyz
Please guess a letter: i
Oops! That letter is not in my word: _
-----------
Sorry, you ran out of guesses. The word was else.
None

4:游戏最终成功的用例

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
Welcome to the game, Hangman!
I am thinking of a word that is 3 letters long.
-----------
You have 8 guesses left.
Available letters: abcdefghijklmnopqrstuvwxyz
Please guess a letter: a
Good guess: _ _ a
-----------
You have 8 guesses left.
Available letters: bcdefghijklmnopqrstuvwxyz
Please guess a letter: e
Good guess: _ ea
-----------
You have 8 guesses left.
Available letters: bcdfghijklmnopqrstuvwxyz
Please guess a letter: a
Oops! You've already guessed that letter: _ ea
-----------
You have 8 guesses left.
Available letters: bcdfghijklmnopqrstuvwxyz
Please guess a letter: e
Oops! You've already guessed that letter: _ ea
-----------
You have 8 guesses left.
Available letters: bcdfghijklmnopqrstuvwxyz
Please guess a letter: s
Good guess: sea
-----------
Congratulations, you won!
None

5:不断失败的用例

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
Welcome to the game, Hangman!
I am thinking of a word that is 1 letters long.
-----------
You have 8 guesses left.
Available letters: abcdefghijklmnopqrstuvwxyz
Please guess a letter: x
Oops! That letter is not in my word: _
-----------
You have 7 guesses left.
Available letters: abcdefghijklmnopqrstuvwyz
Please guess a letter: z
Oops! That letter is not in my word: _
-----------
You have 6 guesses left.
Available letters: abcdefghijklmnopqrstuvwy
Please guess a letter: x
Oops! You've already guessed that letter: _
-----------
You have 6 guesses left.
Available letters: abcdefghijklmnopqrstuvwy
Please guess a letter: z
Oops! You've already guessed that letter: _
-----------
You have 6 guesses left.
Available letters: abcdefghijklmnopqrstuvwy
Please guess a letter: y
Good guess: y
-----------
Congratulations, you won!
None

tl;dr

从 card.raw 中识别 JPEG 的数据,将其恢复出来。

思考

  1. 打开存储卡card.raw 读取其中数据(使用fopen()
  2. 识别 JPEG 的header
    注意:JPEG 也只是一系列bytes,只是每一个 JPEG 都有相同的header
    前三个byte:是 0xff 0xd8 0xff
    下一个:0xe0—到–0xef
    读取时每一个 block 是 512 bytes
  3. 打开一个新的 JPEG 文件,将文件名保存为 ???.jpeg(1~n)
  4. 写入这一个block 的 512 byte 直到发现新的文件头出现
  5. 检查是否已经读取到文件的末尾

注意

  1. 读取文件的fread()
    fread(data,size,number,inptr)
    data: pointer to such truct that will contain the bytes you are reading
    size: size of each element to read
    sizeof
    number: number of elements to read
    inptr: FILE * to read from
  2. 识别 JPEG:
    if (buffer[0] == 0xff &&
    buffer[1] == 0xd8 &&
    buffer[2] == 0xff &&
    (buffer[3] & 0xf0) == 0xe0)
  3. 按照需要存储新图片,使用函数 sprintf(filename,”%03i.jpg”,2)
    filename: char array to store the result tring
    002.jpg
    FILE *image = fopen(filename,”w”)
  4. 使用 fwrite 函数写入内容
    fwrite(data,size,number,outptr)
    fwrite(buffer, sizeof(buffer), 1, image)
  5. 使用的数据结构
    定义了 typedef uint8_t BYTE,使用了 BYTE buffer[512]

参考文档

  1. https://docs.cs50.net/2018/x/psets/4/recover/recover.html

Code Solution

[]
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
#include <stdio.h>
#include <stdlib.h>
#include <cs50.h>
#include <stdint.h>

typedef uint8_t BYTE;

// get the name of a forensic image as command-line argument
int main(int argc, char *argv[])
{
// ensure proper usage
if (argc != 2)
{
fprintf(stderr, "Usage: recover infile outfile\n");
return 1;
}

// remember input filenames from the only argument
char *infile = argv[1];

// open input file
FILE *inptr = fopen(infile, "r");
if (inptr == NULL)
{
fprintf(stderr, "Could not open %s.\n", infile);
return 2;
}

//read file and check the first 4 signature
BYTE buffer[512];

char filename[8];
FILE *image = NULL;
int newnameJPEG = 0;
// check whether it is a JPEG start
bool isJPEG = false;
while (fread(buffer, sizeof(buffer), 1, inptr) == 1)
{
//check whether the first 4 buffer indicates a JPEG
if (buffer[0] == 0xff &&
buffer[1] == 0xd8 &&
buffer[2] == 0xff &&
(buffer[3] & 0xf0) == 0xe0)

{
isJPEG = true;

//making a new JPEG
sprintf(filename, "%03i.jpg", newnameJPEG);

//create file(JPEG) to write
image = fopen(filename, "w");

//prepare next
newnameJPEG ++;
}
if (isJPEG == true)
{
fwrite(buffer, sizeof(buffer), 1, image);
}

}

// close infile
fclose(inptr);
fclose(image);

// success
return 0;
}

tl;dr

这个程序可以将位图中的隐藏信息破译出来。
不过,目前解码信息的规则很简单,因为噪点都是红色的,只需要将0000ff全部转变成ffffff,生成新的图片,即可看到被覆盖的隐写信息。

背景知识

一些儿童向的冒险小说里会夹杂这种类型的侦探卡片,覆盖在空无一物的图片上即可显现真实的信息。计算机程序所能做到的也是如此。

关于色彩

黑白色彩 = 1 bit = 1/0 分别表示白或黑 2 色

GIF :支持 8 bit color
BMP/JPEG/PNG :都支持 24-bit color
BMP 实际上可以支持 1-, 4-, 8-, 16-, 24-, 32-bit color

24 bit color 中的 RGB color:
8 red R
8 green G
8 blue B

关于 BMP

bitmap - by MS

BMP文件在文件开始会包含一些 metadata:
14 byte 大小的结构体 BITMAPFILEHEADER
40 byte 大小的结构体 BITMAPINFOHEADER
一共 54 byte

BITMAP HEADER
(在1-, 4-,16-bit BMP中,还有代表“色彩饱和度”的 RGBQUAD )

其中 BMP 对色彩 triple 的存储方法都是完全逆向 BGR,有些甚至是每一个像素点逆向存储的。

PS:BMP 4.0 的 magic number 是0x4d42

关于 padding

微软开发者制定了规则,每一行 scanline 需要是 32-bit DWORD的倍数
所以 scanline 不能被 4 整除的话就需要增加 padding。

其他注意点

  1. 异常情况判断,错误抛出
  2. 读取原始位图内容、padding调整、按照解密规则替换像素颜色、输出结果

Code Solution

[whodunit.c] []
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
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120

#include <stdio.h>
#include <stdlib.h>
#include "bmp.h"

int main(int argc, char *argv[])
{
// ensure:program should accept exactly two command-line arguments
if (argc != 3)
{
// remind the user of correct usage,
fprintf(stderr, "Usage: change infile outfile\n");
return 1;
}

// remember filenames
char *infile = argv[1];
char *outfile = argv[2];

// open input file
FILE *inptr = fopen(infile, "r");
// if input file cannot be opened for reading
// return 2 and reming
if (inptr == NULL)
{
fprintf(stderr, "Could not open %s.\n", infile);
return 2;
}

// open output file
FILE *outptr = fopen(outfile, "w");
// if the output file cannot be opened for writing
// return 3 and remind
if (outptr == NULL)
{
fclose(inptr);
fprintf(stderr, "Could not create %s.\n", outfile);
return 3;
}

// read infile's BITMAPFILEHEADER
BITMAPFILEHEADER bf;
fread(&bf, sizeof(BITMAPFILEHEADER), 1, inptr);

// read infile's BITMAPINFOHEADER
BITMAPINFOHEADER bi;
fread(&bi, sizeof(BITMAPINFOHEADER), 1, inptr);


// ensure infile is (likely) a 24-bit uncompressed BMP 4.0
if (bf.bfType != 0x4d42 || bf.bfOffBits != 54 || bi.biSize != 40 ||
bi.biBitCount != 24 || bi.biCompression != 0)
{
fclose(outptr);
fclose(inptr);
fprintf(stderr, "Unsupported file format.\n");
return 4;
}
// ensure infile is a 24-bit uncompressed BMP 4.0
if (bf.bfType != 0x4d42 || bf.bfOffBits != 54 || bi.biSize != 40 ||
bi.biBitCount != 24 || bi.biCompression != 0)
{
fclose(outptr);
fclose(inptr);
fprintf(stderr, "Unsupported file format.\n");
return 4;
}

// write outfile's BITMAPFILEHEADER
fwrite(&bf, sizeof(BITMAPFILEHEADER), 1, outptr);

// write outfile's BITMAPINFOHEADER
fwrite(&bi, sizeof(BITMAPINFOHEADER), 1, outptr);

// determine padding for scanlines
int padding = (4 - (bi.biWidth * sizeof(RGBTRIPLE)) % 4) % 4;

// iterate over infile's scanlines
for (int i = 0, biHeight = abs(bi.biHeight); i < biHeight; i++)
{
// iterate over pixels in scanline
for (int j = 0; j < bi.biWidth; j++)
{
// temporary storage
RGBTRIPLE triple;

// read RGB triple from infile
fread(&triple, sizeof(RGBTRIPLE), 1, inptr);

//TODO: change the color of red to white
if (triple.rgbtBlue == 0x00 && triple.rgbtGreen == 0x00 && triple.rgbtRed == 0xff)
{
triple.rgbtBlue = 0xff;
triple.rgbtGreen = 0xff;
}

// write RGB triple to outfile
fwrite(&triple, sizeof(RGBTRIPLE), 1, outptr);
}

// skip over padding, if any
fseek(inptr, padding, SEEK_CUR);

// then add it back (to demonstrate how)
for (int k = 0; k < padding; k++)
{
fputc(0x00, outptr);
}
}

// close infile
fclose(inptr);

// close outfile
fclose(outptr);

// success
return 0;
}

[bmp.h] []
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
// BMP-related data types based on Microsoft's own

#include <stdint.h>

// aliases for C/C++ primitive data types
// https://msdn.microsoft.com/en-us/library/cc230309.aspx
typedef uint8_t BYTE;
typedef uint32_t DWORD;
typedef int32_t LONG;
typedef uint16_t WORD;

// information about the type, size, and layout of a file
// https://msdn.microsoft.com/en-us/library/dd183374(v=vs.85).aspx
typedef struct
{
WORD bfType;
DWORD bfSize;
WORD bfReserved1;
WORD bfReserved2;
DWORD bfOffBits;
} __attribute__((__packed__))
BITMAPFILEHEADER;

// information about the dimensions and color format
// https://msdn.microsoft.com/en-us/library/dd183376(v=vs.85).aspx
typedef struct
{
DWORD biSize;
LONG biWidth;
LONG biHeight;
WORD biPlanes;
WORD biBitCount;
DWORD biCompression;
DWORD biSizeImage;
LONG biXPelsPerMeter;
LONG biYPelsPerMeter;
DWORD biClrUsed;
DWORD biClrImportant;
} __attribute__((__packed__))
BITMAPINFOHEADER;

// relative intensities of red, green, and blue
// https://msdn.microsoft.com/en-us/library/dd162939(v=vs.85).aspx
typedef struct
{
BYTE rgbtBlue;
BYTE rgbtGreen;
BYTE rgbtRed;
} __attribute__((__packed__))
RGBTRIPLE;

tl;dr

  1. 阅读乐谱

  2. 阅读源代码

  3. 将乐谱转换成频率

  4. 模拟合成一段音乐

Background

一支乐曲是一系列音符构成的,在乐谱上每个音符是一个具备时间长度、音高的标志。在西方音乐记谱中,每一个音符使用字母A-G表示。这些音在钢琴上位于白键上,因此称为自然音。

A-(la) B-(si) C-(do) D-(re)E-(mi)F-(fa)G-(so)

升降符号(#/b)用于表示与白键的接近程度。
键盘上的相邻音之间为半音的间隔(semitone)。

semitone

钢琴共有88个键,其中52个为白键,仅用七个字母表示并不充分。八度(octaves)一组,即连续的七个音组成的音阶可以和音名一起表示键盘上的某个音。

octaves

按动琴键,琴槌会敲击琴弦,琴弦振动产生波,波抵达人耳,就能听见乐音。
波动的频率越大,音高越高。

source:(奇妙的音乐数学)[https://plus.maths.org/content/magical-mathematics-music]

A4

1
2
3
4
5
6
C4 = midle C
A3 = 220 Hz
A4 = 440 Hz = A440
A5 = 440 * 2 Hz
……
f = (2^n/12) × 440

Visual Notation

一般的记谱并不使用频率或符号,而是用视觉化方法表示——五线谱。位置代表音高,时值是音持续的时间长度。

Analyze music.zip

  1. songs/ 目录下均为文本文件,存储的是不同歌曲的谱面。空行代表 1/8 休止符

  2. notes.c输出note:频率,(如A#4:440),并在wav中输出对应音高的音符。
    同时对错误信息给出输出提示。
    使用到的函数song_open, frequency, note_write, song_close在其他文件中定义。

  3. synthesize.c从用户处获取一系列音符,写入文件。
    get_string 获取一系列音符直至 EOF ,分辨作为休止符的空行。
    使用 strtok() 匹配str note 和str duration (分数)。
    使用 note_write 写入文件。

  4. wav.h 是 notes.c 和 synthesize.c 中都会使用到的头文件。
    定义了结构体 note 和 song 。
    定义了 note_write, rest_write, song_close, 以及 song_open 函数。

  5. wav.c

  6. Makefiles是 make命令编译时配置文件,编译 notes 和 synthesize 涉及多个文件。

  7. helpers.h 定义duration,frequencyis_rest函数。

  8. helpters.c

Specification

  1. 经过读谱,在bday.txt中写入机器可读取的内容
  2. 在 cs50.h 中找到 get_string 上的注释,发现
    1
    2
    3
    4
    5
    6
    7
    8
    /**
    * Prompts user for a line of text from standard input and returns
    * it as a string (char *), sans trailing line ending. Supports
    * CR (\r), LF (\n), and CRLF (\r\n) as line endings. If user
    * inputs only a line ending, returns "", not NULL. Returns NULL
    * upon error or no input whatsoever (i.e., just EOF). Stores string
    * on heap, but library's destructor frees memory on program's exit.
    */
    也就是说 get_string 方法读取空行时,得到的是“”而非NULL。而 EOF 时得到的是 NULL。

小结

  1. 补全 duration 函数,得到谱面音符的相对时值(1/8)
  2. 频率计算
    按照获取的string note(如A#4)
    得到 octave = 4
    name(与标准音的半音差) = 0
    half = +1
    得到
    output = 440 * ( 2 ^ ( ( name + half ) / 12 ) ) * (2 ^ ( octave - 4 ) );
  3. 进行小的单元测试,按照功能进行调试,然后进行下一步。
    特别是在调整模拟频率上,分别按照音高、半音、音阶进行调整。
  4. 最后,注意精度(round)和类型转换!

Code Solution

helpers.c []
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
81
82
83
84
85

// Converts a fraction formatted as X/Y to eighths
int duration(string fraction)
{
string X = strtok(fraction, "/");
int x = atoi(X);
string Y = strtok(NULL, "/");
int y = atoi(Y);
int output = x * pow(2, 3 - log2(y)) ;
return output;
}

// Calculates frequency (in Hz) of a note
int frequency(string note)
{
// set octave to store how to */ 2
// set half to store whether or not should * 2 ^ 1/12
// set hame to store how much it relate to A
int octave = 4;
int half = 0;
int name = 0;
// if the note is semi like A#4
if (strlen(note) == 3)
{
//get octave on A#4,minus char '4'
octave = note[2] - '4';
// set half = 1 if #
if (note[1] == '#')
{
half = 1;
}
// set half = -1 if b
if (note[1] == 'b')
{
half = -1;
}
}
// if no semi, the length of note is 2, like A4
if (strlen(note) == 2)
{
//get octave
octave = note[1] - '4';
}
// get name by char note[0]
switch (note[0])
{
case 'C':
name = -9;
break;
case 'D':
name = -7;
break;
case 'E':
name = -5;
break;
case 'F':
name = -4;
break;
case 'G':
name = -2;
break;
case 'A':
name = 0;
break;
case 'B':
name = 2;
}
//calculate the frequency and return the int output
int freq = 0;
freq = round(440 * pow(2.00, (name + half) / 12 + octave));
return freq;
}
// Determines whether a string represents a rest
bool is_rest(string s)
{
// if it is "" return false
if (strncmp(s, "", 1))
{
return false;
}
else
{
return true;
}
}

其他

synthesize.c []
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
int main(int argc, string argv[])
{
// Check command line arguments
if (argc != 2)
{
fprintf(stderr, "Usage: synthesize FILE\n");
return 1;
}
string filename = argv[1];
// Open file for writing
song s = song_open(filename);
// Expect notes from user until EOF
while (true)
{
// Expect note
string line = get_string("");
// Check for EOF
if (line == NULL)
{
break;
}
// Check if line is rest
if (is_rest(line))
{
rest_write(s, 1);
}
else
{
// Parse line into note and duration
string note = strtok(line, "@");
string fraction = strtok(NULL, "@");
// Write note to song
note_write(s, frequency(note), duration(fraction));
}
}
// Close file
song_close(s);
}

另一个

note.c []
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
// Notes in an octave
const string NOTES[] = {"C", "C#", "D", "D#", "E", "F",
"F#", "G", "G#", "A", "A#", "B"
};

// Default octave
#define OCTAVE 4

int main(int argc, string argv[])
{
// Override default octave if specified at command line
int octave = OCTAVE;
if (argc == 2)
{
octave = atoi(argv[1]);
if (octave < 0 || octave > 8)
{
//unvalid input actave
fprintf(stderr, "Invalid octave\n");
return 1;
}
}
else if (argc > 2)
{
//too much arguments
fprintf(stderr, "Usage: notes [OCTAVE]\n");
return 1;
}

// Open file for writing
song s = song_open("notes.wav");

// Add each semitone
for (int i = 0, n = sizeof(NOTES) / sizeof(string); i < n; i++)
{
// Append octave to note
char note[4];
sprintf(note, "%s%i", NOTES[i], octave);

// Calculate frequency of note
int f = frequency(note);

// Print note to screen
//as A#4:440
printf("%3s: %i\n", note, f);

// Write (eighth) note to file
note_write(s, f, 1);// note_write()
}

// Close file
song_close(s);// song_close()
}

tl;dr

破解问题和思考的过程总是有趣的,唯一的问题是要有调试的耐心,把细节问题处理得更好一些。实现方法依然是 c 语言,过程中所需要考虑的要点记录在此。

背景

Caesar cipher 和 Vigenère cipher 是一对亲密的兄弟算法,在密码学家族中占据了最久远而传统的地位。

相同的是,他们两个都依靠的是字母移位旋转替换,将明文转变成加密内容。而差别在于 Caesar 中的 key 是简单的数字,Vigenère 中的 key 也是一串字母。转换过程中,仅对字母(大小写敏感)进行处理。

当然对现代密码学来说,这两个算法都是古董级别的了,但他们依旧会出现在某些好玩的密码系统中,例如论坛中出现的回转13位(ROT-13)。

检验命令行参数

检查命令行参数是否符合要求,如都只需要用户输入key,Caesar 中 key 是数字,Vigenere 中 key 是纯字母序列。

获得文本替换

注意 alphabet Ring 的存在

1
p[i] = 'a' + (p[i] - 'a' + key) % 26 

按照字母序列进行替换

在 Vigenere 中,我们按照 key 中的字母循环得到替换的位数,原理和Caesar一致,只是在plaintext中需要留意当前处理的字母数量,因此引入了新的计数变量 num——valid。

1
int key = tolower(str_key[num_valid % strlen(str_key)]) - 'a';

实现中的注意点

  1. 类型转换(例如,int k = atoi(argv[1]);)
  2. 字母的大小写敏感处理(保留原来)
  3. 不纳入转换的有数字和其他符号(不计入)

Code Solution

[vegenere.c] []
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
// this is the vigenere cipher program
int main(int argc, string argv[])
{
if (argc != 2)
{
printf("the input argument is error!\n");
return 1;
}
else
{
for (int i = 0; i < strlen(argv[1]); i ++)
{
if (isalpha(argv[1][i]) == 0)
{
printf("the key string is not valid!\n");
return 1;
}
}
}
string str_key = argv[1];

// get plaintext
string p = get_string("plaintext: ");

// encipher the plaintext
for (int i = 0, num_valid = 0; i < strlen(p) ; i++)
{
// get the key in key string
int key = tolower(str_key[num_valid % strlen(str_key)]) - 'a';
// exchange with key
if (islower(p[i]) != 0)
{
num_valid ++;
p[i] = 'a' + ((p[i] - 'a' + key) % 26);
}
else
{
if (isupper(p[i]) != 0)
{
num_valid ++;
p[i] = 'A' + ((p[i] - 'A' + key) % 26);
}
}
}
// output the ciphertext
printf("ciphertext: %s\n", p);
return 0;
}

tl;dr

一道有点趣味的题,实现方式是 C 语言。输入信用卡卡号检验号码的有效性和发卡银行。
程序需要验证信用卡卡号时,使用 Luhn 算法进行检验。然后通过检验前两位数字和卡号长度,推断发卡行。
暂时在此记录一下。

Luhn 算法

背景

Luhn 算法,也称模10算法,IBM 科学家 Hans Peter Luhn 早在 1954 年 就申请了该算法的专利。
Luhn 算法尽管不是一种安全的加密哈希函数,但在防止意外出错而不是恶意攻击方面的验证还是非常广泛的。

验证过程

  1. 卡号中偶数位数字 乘以2,计算数字位的和。注意偶数位乘2后如果是两位数,则拆成十位和个位相加
  2. 奇数位数字相加得到和
  3. 奇数位和,与偶数位和相加
  4. 检验总和是否能被 10 整除,不能则验证无效

检验发卡行

AMEX:15位+34/37
MasterCard:16位+51~55
Visa:13位或16位+4
其他规则与之类似,只要继续按照发卡行编码规则添加验证即可。

在程序中需要对前两位数字和卡号长度进行追踪。

实现中的注意点

  1. C语言实现,已经规定了输入,所以卡号需要用 longlong 存储
  2. C 没有 python 中的len(), 但有strlen()。考虑将输入转换成字符串进行处理。
  3. 奇数位与偶数位的计算处理
  4. 检验结果和发卡行结果输出,需要注意所有情况。

Code Solution

[credit.c] []
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
long long card_num = -1;
// input the number of the credit card
do
{
card_num = get_long_long("Number: ");
}
while (card_num < 0);

//convert every digit into the string array
char buf[20];
sprintf(buf, "%lld", card_num);
//printf("%s",buf);
int len = (int)strlen(buf);
//check sum
int sum_single = 0;
int dou = 0;
int sum_double = 0;
int sum_total = 0;
for (int i = len - 1 ; i > 0 ; i -= 2)
{
sum_single += buf[i] - '0';
dou = (buf[i - 1] - '0') * 2;
if (dou < 10)
{
sum_double += dou;
}
else
{
sum_double += (dou / 10) + (dou % 10);
}
}
if (len % 2 != 0)
{
sum_single += buf[0] - '0';
}
sum_total = sum_double + sum_single;
// check and printf
if (sum_total % 10 != 0)
{
printf("INVALID\n");
}
else
{
//output "AMEX\n or MASTERCARD\n or VISA\n or INVALID\n"
if (buf[0] == '4' && (len == 13 || len == 16))
{
printf("VISA\n");
}
else
{
if ((buf[0] == '3') && (buf[1] == '4' || buf[1] == '7') && (len == 15))
{
printf("AMEX\n");
}
else
{
if ((buf[0] == '5') && (len == 16) && (buf[1] == '1' || buf[1] == '2' || buf[1] == '3' || buf[1] == '4' || buf[1] == '5'))
{
printf("MASTERCARD\n");
}
else
{
printf("INVALID\n");
}
}
}
}

Test

Paypal 提供了一些可供验证的数据
link:https://developer.paypal.com/docs/classic/payflow/payflow-pro/payflow-pro-testing/#credit-card-numbers-for-testing

1
2
3
4
5
6
7
8
9
10
11
12
13
:) identifies 378282246310005 as AMEX
:) identifies 371449635398431 as AMEX
:) identifies 5555555555554444 as MASTERCARD
:) identifies 5105105105105100 as MASTERCARD
:) identifies 4111111111111111 as VISA
:) identifies 4012888888881881 as VISA
:) identifies 1234567890 as INVALID
:) identifies 369421438430814 as INVALID
:) identifies 4062901840 as INVALID
:) identifies 5673598276138003 as INVALID
:) identifies 4111111111111113 as INVALID
:) rejects a non-numeric input of "foo"
:) rejects a non-numeric input of ""