1. 列表和普通變數有什麼區別 列表是數據類型,普通變數是用來存儲數據的 可以把列表賦值給普通變數 2.存在列表 a = [11, 22, 33], 如何向列表中添加(增)新元素 44 a.append(44) 或者 a.insert(3,44) #索引號為3 3.對列表排序 a = [11,22, ...
1. 列表和普通變數有什麼區別
列表是數據類型,普通變數是用來存儲數據的
可以把列表賦值給普通變數
2.存在列表 a = [11, 22, 33], 如何向列表中添加(增)新元素 44
a.append(44)
或者
a.insert(3,44) #索引號為3
3.對列表排序
a = [11,22,33,2]
b = sorted(a) #創建了一個新的列表 ,a.sort()修改a列表
print(b) # [2, 11, 22, 33, 44]
b = a.sort()
print(b) # None
print(a) # [2, 11, 22, 33, 44]
4.存在字典 info = {'name':'李四'}, 刪除元素 name
del info["name"]
或者
info.pop("name")
5.字典和列表的不同以及使用字典的目的
字典是以鍵值對的形式存儲數據的,字典是無序的,通過鍵獲取到對應值
列表是有序的,通過下標獲取到值
使用字典可以存儲一些有標識性的數據,可以為數據起一個特定的名字。
列表增加元素方式: list.append(s),list.extend(list2),list.insert(index,s),
1 a = [11,22,33,2] 2 b= [22,44] 3 str = '2' 4 a.extend(str) # [11, 22, 33, 2, '2'] 5 print(a) 6 a.extend(b) # [11, 22, 33, 2, '2', 22, 44] 7 print(a)View Code
字典:dict[key] = value,dict.update(dict2) ,
set集合(hash存儲):set.add(s),set.update(iterable)
1 set1 = {10,3.13,20,"hello"} 2 set2 = {10,18} 3 set1.update(set2) # 10未被添加,18被加入 4 print(set1) 5 6 list = [1,[2,3]] 7 set1.update(list) # TypeError: unhashable type: 'list'View Code
列表刪除元素的方式,del list[index],list.pop(index),list.remove(s)
字典的刪除方式,del dict[key], dict.pop(key)
set的刪除方式,set.pop(),set.remove(s)
1 set1.pop() # 刪除最後一個,但最後一個是隨機的,所以可認為隨機刪除 2 print(set1) 3 4 set1.remove("15") 5 print(set1)View Code
用戶註冊登錄系統
1 user_dict = {} 2 user_list = [] 3 log = True 4 5 def prelog(): 6 active = True 7 while active: 8 user_name = input("請輸入你的昵稱") 9 len_username = len(user_name) 10 if len_username > 6 and len_username < 20: 11 while active: 12 user_pass = input("請輸入你的密碼") 13 len_userpass = len(user_pass) 14 if len_userpass > 8 and len_userpass < 20: 15 while active: 16 user_age = input("請輸入你的年齡") 17 if user_age.isdigit(): 18 user_dict['昵稱'] = user_name 19 user_dict['密碼'] = user_pass 20 user_dict['年齡'] = user_age 21 user_list.append(user_dict) 22 active = False 23 else: 24 print("請輸入純數字") 25 continue 26 else: 27 print("密碼長度不合法") 28 continue 29 else: 30 print("昵稱長度不合法") 31 continue 32 33 def login(): 34 signal2 = True 35 while True: 36 if signal2: 37 global log 38 log = False 39 signal = False 40 user_name = input("請輸入你的用戶名") 41 user_pass = input("請輸入你的密碼") 42 for e in user_list: 43 if e.get("昵稱") == user_name: 44 real_pass = e["密碼"] 45 if real_pass == user_pass: 46 signal = True 47 print("登錄成功") 48 print("運行成功") 49 ask = input("是否退出?y/n") 50 if ask == 'y': 51 signal2 = False 52 log = True 53 break # 直接退出for迴圈 54 else: 55 signal2 = False 56 break #直接退出for迴圈 57 if not signal: 58 print("用戶名或者密碼錯誤") 59 continue 60 else: 61 break # 直接退出while迴圈 62 63 while True: 64 choice = input("""1.註冊 65 2.登錄 66 3.註銷 67 4.退出 68 """) 69 if choice == '1': 70 prelog() 71 elif choice == '2': 72 if log == True: 73 login() 74 # continue 75 else: 76 print("用戶介面被占用") 77 elif choice == '3': 78 if log == True: 79 print("無用戶登錄") 80 else: 81 log = True 82 elif choice == '4': 83 if log == True: 84 break 85 else: 86 print("請先註銷") 87 else: 88 print("請輸入1-4")View Code