Python入門の短い実例は抜粋します.
Python入門の短い実例は抜粋します.
この10の小さいテーマはどの言語の最も基本的な入門で、後続の閲覧を便利にするために抜粋してきました.ほとんどの実例はウェブサイトからのものです.http://askpython.comを選択します.英語の原書を読みたい友達がいますが、このサイトを見てもいいです.
1.ハローワールド:
注:Pythone 3 xを使って次のようなスクリプトを実行します.printは括弧を持つ必要があります.printとPython 2 xのprintの違いです.
行で読み込み:
ファイルを作成:
この10の小さいテーマはどの言語の最も基本的な入門で、後続の閲覧を便利にするために抜粋してきました.ほとんどの実例はウェブサイトからのものです.http://askpython.comを選択します.英語の原書を読みたい友達がいますが、このサイトを見てもいいです.
1.ハローワールド:
#!/usr/bin/env python3
print('hello world')
2.変数【宣言せずに、変数の種類を自動的に識別することができます.】#!/usr/bin/python
x = 3 # a whole number
f = 3.1415926 # a floating point number
name = "Python" # a string
print(x)
print(f)
print(name)
combination = name + " " + name
print(combination)
sum = f + f
print(sum)
3.キーボード入力【Python 2 xは文字列または数字を受信できますが、Python 3 xは数字だけを受信する場合は強制的に変換する必要があります.】#!/usr/bin/env python3
name = input('What is your name? ')
print('Hello ' + name)
num = input('Give me a number? ')
print('You said: ' + str(num))
4.条件文!/usr/bin/env python3
age = int(input("Age of your cat? "))
if age < 5:
print("Your cat is young.")
elif age > 10:
print("Your cat is old.")
else:
print("Your cat is adult.")
5.forサイクル#!/usr/bin/env python3
city = ['Tokyo','New York','Toronto','Hong Kong']
for x in city:
print(x)
#!/usr/bin/env python3
num = [1,2,3,4,5,6,7,8,9]
for x in num:
y = x * x
print(y)
5. whileサイクル#!/usr/bin/python
x = 3
while x < 10:
print(x)
x = x + 1
#!/usr/bin/python
while True:
if condition:
break
6.関数#!/usr/bin/env python3
def f(x,y):
print(x*y)
f(3,4)
#!/usr/bin/env python3
def sum(list):
sum = 0
for l in list:
sum = sum + l
return sum
mylist = [1,2,3,4,5]
print(sum(mylist))
7.タプル【下付き開始0、-1は最後の要素を示す】list = [1,3,4,6,4,7,8,2,3]
print(sum(list))
print(min(list))
print(max(list))
print(list[0])
print(list[-1])
8.辞書【無秩序記憶構造】注:Pythone 3 xを使って次のようなスクリプトを実行します.printは括弧を持つ必要があります.printとPython 2 xのprintの違いです.
#!/usr/bin/python
words = {}
words["BMP"] = "Bitmap"
words["BTW"] = "By The Way"
words["BRB"] = "Be Right Back"
print words["BMP"]
print words["BRB"]
9. ファイルを読み込み:行で読み込み:
#!/usr/bin/env python
filename = "file.py"
with open(filename) as f:
content = f.readlines()
print(content)
ファイルの内容を文字列に読み出す:#!/usr/bin/env python
filename = "file.py"
infile = open(filename, 'r')
data = infile.read()
infile.close()
print(data)
10.ファイルを書く:ファイルを作成:
#!/usr/bin/env python
# create and open file
f = open("test.txt","w")
# write data to file
f.write("Hello World,
")
f.write("This data will be written to the file.")
# close file
f.close()
は、ファイルの最後にコンテンツを追加します.#!/usr/bin/env python
# create and open file
f = open("test.txt","a")
# write data to file
f.write("Don't delete existing data
")
f.write("Add this to the existing file.")
# close file
f.close(