python基础

人生苦短,我用python

python之所以比较容易入门就是它的语法相对来说比较简单 下面就以一个简单hello,world为例来简单说下python中语法

import os                           #导入系统模块
def say(word):                      #定义函数say(word),参数word
    print(word)                     #输出变量

if __name__ == '__main__':          # 判断是否执行当前文件,而不是导入
    print(os.getcwd())              #输出当前工作目录
    s = 'hello,world!'              #定义变量
    say(s)                          # 调用say函数 

将上述内容保存为hello_world.py 文件,并执行

$ python hello_world.py 
/home/pojoin/workspace/python/demo
hello,world!

变量

变量和我们中学足学的方程中的代数(x,y,z)有点类似。 例如,对于方程式 y=x*x ,x就是变量。当x=2时,计算结果是4,当x=3时,计算结果是9。 在我们的案例中我定义了一个变量 s 并给他赋值了一个字符串 'hello,world!'

s = 'hello,world!'

python 中内置的标准变量类型有 数字、字符串、列表、元组、字典 五种

数字类型

i = 1       #整数
f = 8.8         #浮点类型,也就是通常说的带小数点的数字
print(i)        #输出
print(f)

输出结果:

1
8.8

字符串类型

字符串是由数字、字符、特殊符号组成的一串字符,比如上面的案例中的 s = 'hello,world!'

s = 'hello,world!'
s1 = '123456_hellow,world#$%'
print(s)
print(s1)

输出结果:

hello,world!
123456_hellow,world#$%

列表类型

List(列表) 是 Python 中使用最频繁的数据类型。 列表可以完成大多数集合类的数据结构实现。它支持字符,数字,字符串甚至可以包含列表(即嵌套)。 列表用 [ ] 标识,是 python 最通用的复合数据类型。 列表中值的切割也可以用到变量 [头下标:尾下标] ,就可以截取相应的列表,从左到右索引默认 0 开始,从右到左索引默认 -1 开始,下标可以为空表示取到头或尾。

list = [ 'runoob', 786 , 2.23, 'john', 70.2 ]
tinylist = [123, 'john']

print(list)               # 输出完整列表
print(list[0])            # 输出列表的第一个元素
print(list[1:3])          # 输出第二个至第三个元素 
print(list[2:])           # 输出从第三个开始至列表末尾的所有元素
print(tinylist * 2)       # 输出列表两次
print(list + tinylist)    # 打印组合的列表

输出结果:

['runoob', 786, 2.23, 'john', 70.2]
runoob
[786, 2.23]
[2.23, 'john', 70.2]
[123, 'john', 123, 'john']
['runoob', 786, 2.23, 'john', 70.2, 123, 'john']

元组类型

元组是另一个数据类型,类似于 List(列表)。 元组用 () 标识。内部元素用逗号隔开。但是元组不能二次赋值,相当于只读列表。

tuple = ( 'runoob', 786 , 2.23, 'john', 70.2 )
tinytuple = (123, 'john')

print(tuple)               # 输出完整元组
print(tuple[0])            # 输出元组的第一个元素
print(tuple[1:3])          # 输出第二个至第四个(不包含)的元素 
print(tuple[2:])           # 输出从第三个开始至列表末尾的所有元素
print(tinytuple * 2)       # 输出元组两次
print(tuple + tinytuple)   # 打印组合的元组

输出结果:

('runoob', 786, 2.23, 'john', 70.2)
runoob
(786, 2.23)
(2.23, 'john', 70.2)
(123, 'john', 123, 'john')
('runoob', 786, 2.23, 'john', 70.2, 123, 'john')

字典类型

字典(dictionary)是除列表以外python之中最灵活的内置数据结构类型。列表是有序的对象集合,字典是无序的对象集合。 两者之间的区别在于:字典当中的元素是通过键来存取的,而不是通过偏移存取。 字典用"{ }"标识。字典由索引(key)和它对应的值value组成。

dict = {}
dict['one'] = "This is one"
dict[2] = "This is two"
tinydict = {'name': 'john','code':6734, 'dept': 'sales'}
print(dict['one'])          # 输出键为'one' 的值
print(dict[2])              # 输出键为 2 的值
print(tinydict)             # 输出完整的字典
print(tinydict.keys())      # 输出所有键
print(tinydict.values())    # 输出所有值

输出结果:

This is one
This is two
{'dept': 'sales', 'code': 6734, 'name': 'john'}
['dept', 'code', 'name']
['sales', 6734, 'john']

缩进

在python中行首缩进是新语句块的开始,可以是tab,也可以是4个空格,只要一致就可以

def say(word):
    print('hello,world!') #tab缩进

注释

python中是以#号开始,后面的都是注释

print('hello,world!') #注释