Python学习--06切片】的更多相关文章

Python里提供了切片(Slice)操作符获取列表里的元素. 示例: >>> L = [1,2,3,4,5] # 取前2个元素,传统方法 >>> [L[0],L[1]] [1,2] # 取前2个元素,使用切片 >>> L[0:2] [1,2] L[0:2]表示,从索引0开始取,直到索引2为止,但不包括索引2. 如果第一个索引是0,还可以省略: >>> L[:2] [1,2] 也可以倒数取元素: >>> L[-2:]…
在python学习开发的过程中,我们总是不断的要对List(列表),Tuple(元组)有取值操作:假如我们有一个列表List1现在想取出1其中的前5个元素,改怎么操作呢? >>> List1 = ['zhangxueyou','liuyifei','liudehua','huyidao','haodada','wumengda','zhouxingchi','chenglong','Jack','linzhilin'] >>> List1 ['zhangxueyou',…
所谓切片,其实是列表的部分元素——Python称之为切片.要创建切片,可指定要使用的第一个元素和最后一个元素的索引 . players = ['charles', 'martina', 'michael', 'florence', 'eli'] print(players[0:3]) #运行结果 ['charles', 'martina', 'michael'] 如果你没有指定第一个索引, Python将自动从列表开头开始: players = ['charles', 'martina', 'm…
笨办法学Python第39节 之前用的第三版的书,昨天发现内容不对,八块腹肌又给我下了第四版,这次的内容才对上.本节的代码如下: ten_things = "Apples Oranges Crows Telephone Light Sugar" print "Wait there's not 10 things in that list, let's fix that" stuff = ten_things.split(' ') more_stuff = [&quo…
#!/usr/bin/env python3 # -*- coding: utf-8 -*- def fact(n): if n == 1: return 1 return n * fact(n - 1) def fact(n): return factIter(n, 1) def factIter(num, product): if num == 1: return product return factIter(num - 1, num * product) L = ['Michael',…
流控制 和函数 1)流控制 1.条件语句 if elif else  if else 2.循环语句 while for 3.continue 和break continue是跳过本次循环,执行下一次循环 break是跳出当前循环体,执行下一条语句 举例:九九乘法表: for i in range(1,10): for j in range(1,i+1): print('%s*%s=%s' %(j,i,i*j),end='\t') print('') 2)函数 1.函数定义:def 函数名():…
列表[1,2,3,2]#[] 元祖(1,2,3,2)#() 字典{1:2,3:2}#{} 集合{1,2,3,2}#{} 1,集合与列表的区别,集合里不能有重复元素 2.字典与集合的区别,都是用花括号表示,但是字典是一个key对应一个values s=[1,2,3,4,5] print(s[2])#下标是从0开始 print(s[-1])#倒取 用range获取一个list操作 list(range(10)) 例:取出这个list(range(11))的中间数 a=list(range(10)]#…
'''while''''''while 布尔表达式:冒号不能省略''''''1+2+3+...+10'''i=1sum1=0while i<=10: sum1+=i i+=1print(sum1)'''python 中的没有 i++ ,如果写了会报语法错误. 但是python 中有 --i,++i,+-i,-+i,他们不是实现-1操作的,仅仅是作为判断运算符号,类似数学中的负负得正 i = 2 print ++i //2 print -+i //-2 print +-i //-2 print -…
List 和tuple: python提供一种类似C语言数组的类型,但是使用起来确是相当的简洁.那就讲讲这神奇的python中list 和tuple吧. List类型: 1.直接贴代码: L = ['A','B','C']//声明一个List print L 输出 ['A','B','C'] 声明一个List类型,使用 标识符 [].就这么简单. 2.得到List L的元素个数: >>> len(L) 3 3.访问 List L元素的值: >>> L[0] 'A' &g…
切片 Python提供了切片操作符,可以对list.tuple.字符串进行截取操作. list中的切片应用 语法如下: >>> L = ['Michael', 'Sarah', 'Tracy', 'Bob', 'Jack'] >>> L[0:3]#0为开始索引,3为结束索引,前闭后开 ['Michael', 'Sarah', 'Tracy'] >>> L[1:3] ['Sarah', 'Tracy'] >>> L[:3] #从零开始的…