Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> Python

การเข้าถึงคีย์-ค่าใน Python Dictionary


ในขณะที่วิเคราะห์ข้อมูลโดยใช้โครงสร้างข้อมูล Python ในที่สุดเราจะพบความจำเป็นในการเข้าถึงคีย์และค่าในพจนานุกรม มีหลายวิธีที่จะทำในบทความนี้เราจะเห็นวิธีการบางอย่าง

มี for loop

การใช้ for loop เราสามารถเข้าถึงทั้งคีย์และค่าที่ตำแหน่งดัชนีแต่ละตำแหน่งในพจนานุกรมได้ทันทีในโปรแกรมด้านล่าง

ตัวอย่าง

dictA = {1:'Mon',2:'Tue',3:'Wed',4:'Thu',5:'Fri'}
#Given dictionary
print("Given Dictionary: ",dictA)
# Print all keys and values
print("Keys and Values: ")
for i in dictA :
   print(i, dictA[i])

ผลลัพธ์

การเรียกใช้โค้ดข้างต้นทำให้เราได้ผลลัพธ์ดังต่อไปนี้ -

Given Dictionary: {1: 'Mon', 2: 'Tue', 3: 'Wed', 4: 'Thu', 5: 'Fri'}
Keys and Values:
1 Mon
2 Tue
3 Wed
4 Thu
5 Fri

ด้วยความเข้าใจรายการ

ในแนวทางนี้ เราจะพิจารณาคีย์ที่คล้ายกับดัชนีในรายการ ดังนั้นในคำสั่ง print เราจะแสดงคีย์และค่าต่างๆ เป็นคู่พร้อมกับ for loop

ตัวอย่าง

dictA = {1:'Mon',2:'Tue',3:'Wed',4:'Thu',5:'Fri'}
#Given dictionary
print("Given Dictionary: ",dictA)
# Print all keys and values
print("Keys and Values: ")
print([(k, dictA[k]) for k in dictA])

ผลลัพธ์

การเรียกใช้โค้ดข้างต้นทำให้เราได้ผลลัพธ์ดังต่อไปนี้ -

Given Dictionary: {1: 'Mon', 2: 'Tue', 3: 'Wed', 4: 'Thu', 5: 'Fri'}
Keys and Values:
[(1, 'Mon'), (2, 'Tue'), (3, 'Wed'), (4, 'Thu'), (5, 'Fri')]

ด้วย dict.items

คลาสพจนานุกรมมีเมธอดชื่อรายการ เราสามารถเข้าถึงวิธี items และวนซ้ำเพื่อรับคีย์และค่าแต่ละคู่

ตัวอย่าง

dictA = {1:'Mon',2:'Tue',3:'Wed',4:'Thu',5:'Fri'}
#Given dictionary
print("Given Dictionary: ",dictA)
# Print all keys and values
print("Keys and Values: ")
for key, value in dictA.items():
   print (key, value)

ผลลัพธ์

การเรียกใช้โค้ดข้างต้นทำให้เราได้ผลลัพธ์ดังต่อไปนี้ -

Given Dictionary: {1: 'Mon', 2: 'Tue', 3: 'Wed', 4: 'Thu', 5: 'Fri'}
Keys and Values:
1 Mon
2 Tue
3 Wed
4 Thu
5 Fri