이 시리즈에는 네 가지 기본 Python 튜토리얼이 있으며, 이 글은 두 번째 글입니다.
튜플은 목록과 매우 유사하지만 튜플은 변경할 수 없습니다. 즉, 괄호 안에 쉼표로 구분된 항목으로 정의됩니다.
장점: 튜플은 수정할 필요가 없는 '쓰기 방지' 데이터보다 빠릅니다. 코드는 더 안전할 수 있습니다
튜플과 리스트는 내장 함수 list() 및 tuple()을 사용하여 서로 변환될 수 있습니다.
tuple与list可以相互转换,使用内置的函数list()和tuple()。
l = [1, 2, 3] print( l )# [1, 2, 3]t = tuple(l) print(t) # (1, 2, 3)l = list(t)print (l) #[1, 2, 3]复制代码
元组最通常的用法是用在打印语句,如下例:
name = "Runsen"age = 20print( "Name: %s; Age: %d") % (name, age)# Name: Runsen; Age: 20复制代码
函数如下:
返回元组中值为value的元素的个数
t = (1, 2, 3, 1, 2, 3)print (t.count(2) )# 2复制代码
返回列表中第一个出现的值为value的索引,如果没有,则异常 ValueError
t = (1, 2, 3, 1, 2, 3) print( t.index(3) )# 2try: print (t.index(4))except ValueError as V: print(V) # there is no 4 in tuple复制代码
字典由键值对组成,键必须是唯一的;
eg: d = {key1:value1, key2:value2};
空字典用{}表示;字典中的键值对是没有顺序的,如果想要一个特定的顺序,那么使用前需要对它们排序;
d[key] = value
,如果字典中已有key
,则为其赋值为value
,否则添加新的键值对key/value
;
使用del d[key]
d = {} d["1"] = "one"d["2"] = "two"d["3"] = "three"del d["3"]for key, value in d.items(): print ("%s --> %s" % (key, value))#1 --> one#2 --> two复制代码
d1 = {"1":"one", "2":"two"} d1.clear()print (d1 )# {}复制代码
d1 = {"1":"one", "2":"two"} d2 = d1.copy() print( d2 )#{'1': 'one', '2': 'two'}print(d1 == d2) # Trueprint(d1 is d2) # False复制代码
ValueError
l = [1, 2, 3] t = (1, 2, 3) d3 = {}.fromkeys(l)print (d3) #{1: None, 2: None, 3: None}d4 = {}.fromkeys(t, "default") print(d4) #{1: 'default', 2: 'default', 3: 'default'}复制代码
d = {key1 :value1, key2:value2}; code>
빈 사전은 {}로 표시됩니다. 사전의 키-값 쌍은 순서가 지정되어 있지 않습니다. 특정 순서를 원하는 경우 사용하기 전에 정렬해야 합니다.
d[key] = value
, 사전에 이미 key
가 있으면 value
값을 할당하고, 그렇지 않으면 새 키를 추가하세요. -값 쌍 키/값
; del d[key]
를 사용하여 사전에 키가 있는지 확인하세요. in 또는 not in; d5 = {1:"one", 2:"two", 3:"three"}print (d5.get(1) )#oneprint (d5.get(5)) #Noneprint (d5.get(5, "test") )#test复制代码
d6 = {1:"one", 2:"two", 3:"three"} print( d6.has_key(1) ) #Trueprint (d6.has_key(5)) #False复制代码
d7 = {1:"one", 2:"two", 3:"three"}for item in d7.items(): print (item)#(1, 'one')#(2, 'two')#(3, 'three')for key, value in d7.items(): print ("%s -- %s" % (key, value))#1 -- one#2 -- two#3 -- three复制代码
d8 = {1:"one", 2:"two", 3:"three"}for key in d8.keys(): print (key)#1#2#3复制代码
get(key,[default])
d8 = {1:"one", 2:"two", 3:"three"}for value in d8.values(): print( value)#one#two#three复制代码
d9 = {1:"one", 2:"two", 3:"three"}print (d9.pop(1) )#oneprint( d9) #{2: 'two', 3: 'three'}print( d9.pop(5, None)) #Nonetry: d9.pop(5) # raise KeyErrorexcept KeyError, ke: print ( "KeyError:", ke) #KeyError:5复制代码
d10 = {1:"one", 2:"two", 3:"three"}print (d10.popitem() ) #(1, 'one')print (d10) #{2: 'two', 3: 'three'}复制代码
d = {1:"one", 2:"two", 3:"three"}print (d.setdefault(1)) #oneprint (d.setdefault(5)) #Noneprint( d) #{1: 'one', 2: 'two', 3: 'three', 5: None}print (d.setdefault(6, "six")) #sixprint (d) #{1: 'one', 2: 'two', 3: 'three', 5: None, 6: 'six'}复制代码
d = {1:"one", 2:"two", 3:"three"} d2 = {1:"first", 4:"forth"} d.update(d2)print (d) #{1: 'first', 2: 'two', 3: 'three', 4: 'forth'}复制代码
d = {1:"one", 2:"two", 3:"three"}for key, value in d.viewitems(): print ("%s - %s" % (key, value))#1 - one#2 - two#3 - three复制代码
d = {1:"one", 2:"two", 3:"three"}for key in d.viewkeys(): print( key)#1#2#3复制代码
사전에 키가 있는 경우 , vlaue 값이 반환됩니다. 키가 없으면 키가 추가되고 값은 기본값입니다. 기본값은 None
d = {1:"one", 2:"two", 3:"three"}for value in d.viewvalues(): print (value)#one#two#three复制代码
numbers = ["zero", "one", "two", "three", "four"] print (numbers[1] )# oneprint (numbers[-1] )# four#print( numbers[5]) # raise IndexErrorprint (numbers[:]) # ['zero', 'one', 'two', 'three', 'four']print (numbers[3:]) # ['three', 'four']print (numbers[:2]) # ['zero', 'one']print (numbers[2:4] )# ['two', 'three']print (numbers[1:-1] )# ['one', 'two', 'three'] 复制代码
의 키 값은 뷰와 유사하게 (키, 값) 쌍의 목록인 뷰 객체를 반환합니다. 장점은 사전이 변경되면 뷰도 동시에 변경된다는 것입니다. 존재하다 반복 프로세스 중에는 사전 변경이 허용되지 않습니다. 그렇지 않으면 예외가 보고됩니다.
rrreeeviewkeys()뷰 객체, 키 목록을 반환합니다.
rrreee🎜🎜viewvalues() 🎜🎜🎜 뷰 객체, 값 목록🎜 rrreee🎜6.4 Sequence🎜🎜 시퀀스 유형은 0부터 시작하는 컨테이너 요소의 순차적 액세스를 나타냅니다. 한 번에 하나 이상의 요소에 액세스할 수 있으며, 튜플 및 문자열은 모두 시퀀스입니다. . 시퀀스의 세 가지 주요 기능은 다음과 같습니다. 🎜🎜🎜인덱스 연산자와 슬라이싱 연산자🎜🎜인덱스는 특정 요소를 가져올 수 있습니다🎜🎜슬라이싱은 시퀀스의 일부를 가져올 수 있습니다🎜🎜🎜🎜인덱스 연산자와 슬라이싱 연산자🎜🎜rrreee🎜슬라이싱 연산자에서 첫 번째 숫자(콜론 앞)는 조각이 시작되는 위치를 나타내고 두 번째 숫자(콜론 뒤)는 조각이 끝나는 위치를 나타냅니다. 🎜🎜첫 번째 숫자를 지정하지 않으면 Python은 시퀀스의 처음부터 시작됩니다. 두 번째 숫자를 지정하지 않으면 Python은 시퀀스 끝에서 중지됩니다. 🎜🎜반환된 시퀀스는 시작 위치에서 시작하여 끝 위치 바로 앞에서 끝납니다. 즉, 시작 위치는 시퀀스 슬라이스에 포함되고, 종료 위치는 슬라이스에서 제외됩니다. 슬라이싱은 음수로도 수행할 수 있습니다. 음수는 시퀀스의 끝부터 사용됩니다. 🎜관련 무료 학습 권장사항: python 비디오 튜토리얼
위 내용은 초보자를 위해 편집된 두 번째 Python 지식 포인트의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!