Python基础

闲着无聊,整理点python基础知识,顺便也当熟悉Markdown的语法规则.ps:今天才发现利用Chrome上的LiveReload+Subline Text,可以本地实时测试博客网页,爽歪歪呀.

1. 基本概念

1. Python有四种数据类型,分别为整数,长整数,浮点数以及复数

2. 字符串

  • python中的字符串可以用单引号或者双引号来表示
  • 字符串前面加r或者R,如字符串r”see you again \n”,则\n会显示出来
  • 对于“see” “you” “again”,python会将其自动转换为“see you again”
  • 类似于Java,Python中字符串也是不可变的

3.对象

python中Everything is object

4.缩进

python使用4个空格来缩进代码.例如:

1
2
3
def fun(n):
for i in range(n):
print("the number of n =",n)

2.函数

Python中使用def关键字定义函数,其格式为:

1
2
def 函数名(参数列表): #参数可为空
函数体

1.可变参数列表和默认参数

Python中可以定义可变参数的函数:

1
2
3
4
5
6
7
8
9
10
11
12
13
def sum_all(*args):
sum = 0
for x in args:
sun += x
return sum
print(sum_all(10,19,12) # 输出 41
print(sum_all(19,1,3)) #输出23
def fun(a,b=9,c=8):
print(a+b+c)
fun(1) #输出 18
fun(1,2) #输出 11
fun(1,2,3) #输出 6

#3. 数据结构
Python中常见的三种数据结构:list,tuple,dict

3.1 list

list是一种可变的有序列表,常见操作如下:

1
2
3
4
5
6
7
8
9
$ L = ['love','the','way','you','lie']
$ L2 = ['lose','yourself']
$ L.append9'Eminem') # 在L列表后面添加一个字符串 Eminem 项
$ L.extend(L2) # 用给入的L2列表将L列表接长
$ L2.insert(0,'Eminem') # 在L2的第一个元素处插入Eminem
$ L.remove('lie') # 移除L列表中第一个值为lie的元素
$ L.pop(2) # 删除L列表中第三个元素
$ L.index('love') # 返回L列表中第一个值为love的索引
$ L.count(“love”) # 统计L列表中love出现的次数

  • list当作stack

    1
    2
    3
    4
    $ stack = ['i','need','a','doctor']
    $ stack.append('tupac') # push 'tupac' into stack
    $ stack,append('eminem') # push 'eminem' into satck
    $ stack.pop() # pop the 'eminem' --------后进先出
  • list当作queue
    可以使用list来实现queue,queue特性是先入先出

    1
    未完......