Python起步(2018-08-06)

目录

一、列表和元组
二、if语句
三、while循环

一、列表和元组

列表元素用中括号( [ ])包裹,元素的个数及元素的值可以改变。元组元素用小括号(( ))包裹,不可以更改(尽管他们的内容可以)。元组可以看成是只读的列表。通过切片运算( [ ] 和 [ : ] )可以得到子集,这一点与字符串的使用方法一样。

>>> aList = [1, 2, 3, 4]
>>> aList
[1, 2, 3, 4]
>>> aList[0]
1
>>> aList[2:]
[3, 4]
>>> aList[:3]
[1, 2, 3]
>>> aList[1] = 5
>>> aList
[1, 5, 3, 4]

元组也可以进行切片运算,得到的结果也是元组(不能被修改):

>>> aTuple = ('robots', 77, 93, 'try')
>>> aTuple
('robots', 77, 93, 'try')
>>> aTuple[:3]
('robots', 77, 93)
>>> aTuple[1] = 5
Traceback (most recent call last):
  File "", line 1, in 
    aTuple[1] = 5
TypeError: 'tuple' object does not support item assignment

二、if语句

与其它语言不同, 条件条达式并不需要用括号括起来。

if 1 < 2:
    print('true')

三、while循环

while expression:
while_suite

语句 while_suite 会被连续不断的循环执行, 直到表达式的值变成 0 或 False; 接着
Python 会执行下一句代码。 类似 if 语句, Python 的 while 语句中的条件表达式也不需要用括号括起来。

你可能感兴趣的:(Python起步(2018-08-06))