python快速直白入門(半新手向,老手複習向)

来源:https://www.cnblogs.com/lightwower/archive/2023/05/08/17382348.html
-Advertisement-
Play Games

主用python做項目有一段時間,這次簡單總結學習下。為後面的項目編寫,進行一次基礎知識的查缺補漏、 1、變數名和數據類型 """ 變數名,只能由" 數字、大小寫字母、_ " 組成,且不能以數字開頭 """ # 整數 int # hashable,不可變對象 a = 5 # 浮點數 float # ...


主用python做項目有一段時間,這次簡單總結學習下。為後面的項目編寫,進行一次基礎知識的查缺補漏、

1、變數名和數據類型

"""
變數名,只能由" 數字、大小寫字母、_ " 組成,且不能以數字開頭
"""

# 整數 int
# hashable,不可變對象
a = 5

# 浮點數 float
# hashable,不可變對象
a1 = 3.14

# 字元串 string
# hashable,不可變對象
a_1 = "哈哈哈"
str_num = '5'
_str_float = """3.14"""
_ = '''hello world'''  # 常常用於接收我們不需要使用的值

# 列表 list
# 元素可修改,元素有順序
# 列表是unhashable, 可變對象
tmp_list = [1, 3.14, "haha", [7, "qq"]]

# 元組 tuple
# 元素不可修改,元素有順序
# 元組是hashable,不可變對象
tmp_tuple = (1, 3.14, "haha", [7, "qq"])

# 集合 set
# 元素不重覆,即使重覆,也會自動去重。元素沒有順序
# 元素必須是hashable,不可變對象
# 集合是unhashable, 可變對象
tmp_set = {1, 1, 3.14, "haha"}

# 字典 dict 鍵值對形式--key:value,key不能重覆
# key必須為hashable,不可變對象
# 字典是unhashable,可變對象
tmp_dict = {1: "xy", "a": 123, (1, "a"): [1, "abc", 3]}

# 布爾值 bool
# 布爾值是hashable,不可變對象
x = True
y = False

# None 不是0,不是空字元串"",不是False,啥也不是
# None是hashable, 不可變對象
t = None

# 常量 變數名用大寫字母
# 約定俗成,並不是不可變
PI = 3.1415926
INT_LIST = [1, 2, 3, 4, 5]

2、註釋&格式化輸出

# 註釋:對代碼的說明性文字,不參與代碼運行、運算
# 單行註釋

"""
多行註釋
多行註釋
多行註釋
"""

'''
多行註釋
多行註釋
多行註釋
'''

# 格式化輸入
name = "alex"
age = 100

# 占位符(不推薦)
res = "姓名: %s,年齡: %d" % (name, age)  # 字元串就是%s 整數就是%d 浮點數%f
print("占位符輸出: %s" % res)

# format(推薦)
res = "姓名:{},年齡:{}".format(name, age)
res = "姓名:{name},年齡:{age}".format(age=age, name=name)
print("format函數輸出:{}".format(res))

# f首碼(python3.6以上)
res = f"姓名:{name},年齡:{age}"
print(f"f首碼輸出:{res}")

3、代碼執行順序

先調用會報錯,放在後面即可運行。

"""
從上往下執行
"""
a = 3


def plus(x, y):
    return x + y


b = plus(a, 5)
print(b)

4、算數運算符&整浮互相轉化&精度問題

"""
算術運算符:  +、 -、 *、 /、 //、 **、%
"""

# 加
res = 2 + 3
print(f"2 + 3 = {res}")

# 減
res = 2 - 3
print(f"2 - 3 = {res}")

# 乘
res = 2 * 3
print(f"2 * 3 = {res}")

# 除
res = 2 / 3
print(f"2 / 3 = {res}")

# 整除
res = 5 // 2
print(f"5 // 2 = {res}")

# 取餘
res = 5 % 2
print(f"5 % 2 = {res}")

# 次冪
res = 2 ** 3
print(f"2 ** 3 = {res}")  # 2的三次方

"""
浮點數和整數的互相轉換
以及常用函數abs
"""

# 整數轉浮點數
a = 5
print("a = 5, a的類型為:{}".format(type(a)))
a = float(a)
print("float(a) = {}, a的類型為:{}".format(a, type(a)))

# 浮點數轉整數,直接取整數位,沒有四捨五入
b = 3.55
print("b = 3.55, b的類型為:{}".format(type(b)))
b = int(b)
print("int(b) = {}, b的類型為:{}".format(b, type(b)))

# abs 取絕對值
c = -3.14
print("c = -3.14, c的類型為:{}".format(type(c)))
c = abs(c)
print("abs(c) = {}, c的類型為:{}".format(c, type(c)))

# round,精度低,不推薦
b = 3.55
b = round(b, 1)
print("round(b) = {},b的類型為:{}".format(b, type(b))) # 3.5不是3.6

# 標準庫decimal
from decimal import Decimal
b = 3.55
b = str(b)
b = Decimal(b).quantize(Decimal("0.1"),rounding="ROUND_HALF_UP") # 四捨五入 Decimal保留小數的位數
print("round(b) = {},b的類型為:{}".format(b, type(b)))

5、賦值運算符

"""
賦值運算符:
=, +=, -=, *=, /=, //=, %=, **=
"""
a = 2

a = a + 2 # a = 4
a += 2 # a = 6

a = a - 2 # a = 4
a -= 2 # a = 2

a = a * 2 # a = 4
a *= 2 # a = 8

6.1、編碼

"""
在電腦中存儲的是二進位數   10011011
在電腦最小存儲單位,1位二進位數,即1個Bit(比特)
1 Byte(位元組) = 8 Bits
1 KB = 1024 Bytes   2**10 = 1024
1 MB = 1024 KB

編碼問題:
1、ASCII編碼,只有大小寫字母、數字、特色符號,
    用1個Byte表示一個字元
    例如:字母A 01000001

2、GB2312,Euc-kr,Shift_JIS ...
    各國有各國的標準,必然會衝突,即亂碼
    
3、Unicode編碼(萬國碼),所有語言統一使用這一套編碼
    通常用2個Byte表示一個字元(生僻字元要4個Byte)
    依然存在問題:
        例如用戶只用英文的話,採用這種編碼,
        占用的存儲空間是ASCII編碼的2倍。
    例如:字母A 00000000 01000001
    
4、UTF-8編碼
    把Unicode字元集編碼成1-6個Byte
    (1)大小寫英文字母、數字、特殊符號
        維持ASCII編碼,1個Byte
        例如,字母A的ASCII碼和UTF-8碼是一樣的
            01000001
    (2)中文通常是 3個Byte
    (3)生僻的字元 4-6個Byte

5、Python3.X 源碼.py文件預設使用UTF-8
    Python3.X 預設使用ASCII,所以需要指明
                # -*- coding:UTF-8 -*-
                
6、電腦記憶體中,使用的是Unicode編碼
    需要存儲或傳輸時,會吧記憶體中的Unicode轉為UTF-8
"""

6.2、字元串常用方法

"""
去除首尾指定字元,預設去除空格,返回值均為字元串
strip() # 左右都去除
lstrip() # 只去除左邊
rstrip() # 只去除右邊
"""
tmp = "----舉個--慄子---"
tmp_lstrip = tmp.lstrip("-")
tmp_rstrip = tmp.rstrip("-")
tmp_strip = tmp.strip("-")
print("tmp_lstrip:{}".format(tmp_lstrip))
print("tmp_rstrip:{}".format(tmp_rstrip))
print("tmp_strip:{}".format(tmp_strip))

"""
startswith() 判斷字元串是否以指定的字元串開頭
endswith() 判斷字元串是否以指定的字元串結尾

返回值均為布爾值,即True或False
"""
tmp = "這次繼續舉個慄子"
if tmp.startswith("這次"):
    print("tmp是以'這次'開頭的")

if tmp.endswith("子"):
    print("tmp是以'子'結尾的")

"""
分割字元串
split(sep, maxsplit):
    1、sep:指定分割符,預設為空格
    2、maxsplit:分割次數,預設為-1即全部分割
    3、返回值為一個列表list
"""
tmp = "Python,C,C++,Java,Vue"
res = tmp.split(",")
res_2 = tmp.split(",", 2)
print("res:{}".format(res))
print("res_2:{}".format(res_2))

"""
lower() 全轉為小寫
upper() 全轉為大寫
"""
tmp = "What's up! Man!"
tmp_l = tmp.lower()
tmp_u = tmp.upper()
print("大寫:{}".format(tmp_u))
print("小寫:{}".format(tmp_l))

"""
is系列方法,最常用的三個:
isalpha() 判斷字元串是否僅含有字母
isdigit() 判斷字元串是否僅含有數字
isalnum() 判斷字元串是否僅含字母或數字
均返回布爾值,即True或False
"""
tmp_1 = "23"
tmp_2 = "python"
tmp_3 = "python666"
if tmp_1.isdigit():
    print("tmp_1中僅含數字")
if tmp_2.isalpha():
    print("tmp_2中僅含字母")
if tmp_3.isalnum():
    print("tmp_3中僅含字母或數字")

"""
子字元串替換
replace(old, new, count)
1、old:被替換的子字元串
2、new:新的子字元串
3、count:替換次數,預設為-1全部替換
"""
tmp = "Python66666"
# 全部替換
tmp_1 = tmp.replace("6", "9")
# 從左往右,替換指定次數
tmp_2 = tmp.replace("6", "1", 4)
# 找不到指定的子字元串,則不替換
tmp_3 = tmp.replace("java", "go")
print(tmp_1)
print(tmp_2)
print(tmp_3)

"""
獲取子字元的索引
1、index(sub,start,end) 從左往右
    1)sub,子字元
    2)start,查找的起始位置
    3)end,查找的終止位置-1

2、rindex() 從右往左

3、只找一個,且若sub存在,則會報錯
"""
#      012345678
tmp = "Python666"
# 正向查找
index_1 = tmp.index("6", 5, 7) # 實際是在第5個索引和第6個索引查找
# 反向查找
index_2 = tmp.rindex("6")
print("index_1:{}".format(index_1))
print("index_2:{}".format(index_2))

6.3、字元串轉義

"""
字元串轉義:
\n 換行符,將游標位置移到下一行開頭。
\r 回車符,將游標位置移到本行開頭。
\t 水平製表符,即Tab鍵
\a 蜂鳴器響鈴。現在的電腦一般都沒有蜂鳴器了
\b 退格(Backspace),將游標位置移到前一列。
\\ 反斜杠
\' 單引號
\" 雙引號
"""

a = "這是換行,\n 這是\r回車符,這是\t製表符," \
    "這裡是退格\b\n" \
    "這是反斜杠\\, 這是單引號\', 這是雙引號\""
print(a)

7、比較運算符&if...else

"""
比較運算符: ==, !=, >, >=, <, <=
運算結果都是布爾值,即True或者False
"""
a = 1
b = 1
c = 2

# 單個if
if a == b:
    res = a - b
    print(f"a等於b,a-b={res}")

# if...else...
if a != b:
    print("a不等於b")
else:
    print("a等於b")

# if...elif...elif..............else...
if a > b:
    print("a大於b")
elif a == b:
    print("a等於b")
elif a < b:
    print("c大於a")
else:
    print()

# 嵌套
if a >= b:
    print("a大於等於b")
    if a == b:
        print("a等於b")
    else:
        print("a不等於b")

8、身份運算符

"""
身份運算符:is,is not(嘗用於判斷是否為None)# 兩個變數記憶體地址是否相同
運算結果為布爾值,即True或False
x is y 等效於 id(x) == id(y)
x is not y 等效於 id(x) != id(y)
"""

# 小整數池: -5~256
a = -5
b = -5
print("均為-5,a is b結果為{}".format(a is b))
print("id(a)={},id(b)={}\n".format(id(a), id(b)))

# 在pycharm運行會是true:pc會先保存257的記憶體地址,發現b也是257 b指向a的記憶體地址
a = 257
b = 257
print("均為257,a is b結果為{}".format(a is b))
print("id(a)={},id(b)={}\n".format(id(a), id(b)))

# 字元串池: 長度不超過20,且沒有空格,記憶體地址相同

a = "test"
b = "test"
print("均為\"test\",a is b結果為{}".format(a is b))
print("id(a)={},id(b)={}\n".format(id(a), id(b)))

a = "te st"
b = "te st"
print("均為\"te st\",a is b結果為{}".format(a is b))
print("id(a)={},id(b)={}\n".format(id(a), id(b)))

# 代碼在終端運行則會不一樣

​ 這種情況可能是因為Python的整數緩存機制導致的,具體表現為在某些情況下,Python會緩存一些整數對象以提高性能,這些對象的引用會被多個變數共用。根據官方文檔,Python 3.7及更高版本中,整數對象的緩存機制預設會緩存從-5到256之間的整數對象。

在Python中,我們應該使用==運算符來比較兩個對象的值是否相等,而不是使用is運算符來比較它們是否是同一個對象。

9、成員運算符

"""
成員運算符:in not in
運算結果為布爾值,即True或者False
"""
tmp_str = "Hello, World"
tmp_list = [1, 2, 3, "a", "b"]
tmp_tuple = (1, 2, 3, "a", "b")
tmp_set = {1, 2, 3, "a", "b"}
tmp_dict = {"a": 1, "b": 2}

if "lo" in tmp_str:
    print(f"lo在字元串{tmp_str}中")

if 4 not in tmp_list:
    print(f"4不在列表{tmp_list}中")

# 字典是判斷存在"a"這個key
if "a" in tmp_dict:
    print(f"a在字典{tmp_dict}中")
if 1 in tmp_dict:
    print(f"1在字典{tmp_dict}中")

10、邏輯運算符

"""
邏輯運算符:and(與), or(或), not(非)
"""
a = 1
b = 2
c = 3

# x and y,要求x和y都為True, 運算結果才為True,
# 否則為False
if a < c and b < c:
    print("a小於c,且b小於c")
else:
    print("a不小於c或者b不小於c")

# x or y,只要x和y中有一個為True,運算結果就為True,
# 否則為False
if b > a or b > c:
    print("b大於a或者b大於c")
else:
    print("b不大於a且b不大於c")

# not x,取相反的值
if not (a < b):   # 小括弧運算優先順序最高 不然就把a取反了
    print("a不小於b")
else:
    print("a小於b")

11、列表&元組

# 空列表
a = []
b = list()

c = [1, 2, 3]

# 空元組
d = ()
e = tuple()

# 定義只有一個元素的元組,一定要加一個逗號,
f = ("a",)
g = ("a")  # 不然括弧只能算是一個優先順序的運算符,只會是一個字元串
print(f"f的數據類型為{type(f)}")
print(f"g的數據類型為{type(g)}")

"""
追加列表元素
list.append(item)
    1、item,為任意元素
    2、返回值為None
"""
tmp = ["a", 3, "c"]
tmp.append(["b", 1])
print(f"tmp.append([\"b\",1])追加到原始列表:{tmp}")

"""
將元素插入列表
list.insert(index,item)
    1、index,插入位置的索引
    2、item,要插入的元素
    3、返回值為None
當index大於列表最大正向索引時,插入尾端
當index小於列表最小反向索引時,插入首端
"""
#   0   1   2
#  -3  -2  -1
tmp = ["a", "c", "d"]
tmp.insert(1, "b")
print(tmp)

"""
列表的合併
list.extend(iterable)
    1、iterable,可迭代對象
        字元串、列表、元組、集合、字典。。。
    2、返回值為None
"""
tmp = [1, 2, 3]
tmp_new = [4, 5, 6, 7]
tmp.extend(tmp_new)
print(f"tmp.extend(tmp_new)改變原始列表:{tmp}")

"""
刪除指定索引的元素
list.pop(index)
    1、index,要刪除元素的索引
    2、不傳index,預設刪除最後一個
    3、有返回值,返回被刪除的元素
    4、若列表為空列表,或者,index超出列表範圍都會報錯
"""
tmp = ["Python", "Java", "Go", "C"]
a = tmp.pop()
print(f"先刪掉了{a},{tmp}")
b = tmp.pop(1)
print(f"再刪掉了{b},{tmp}")

"""
刪除指定元素(從左往右找,只刪除找到的第一個)
list.remove(item)
    1、item,要刪除的元素
    2、返回值為None
    3、若指定的刪除元素不存在,則報錯
"""
tmp = ["Python", "Java", "Go", "C"]
tmp.remove("Java")
print(f"tmp.remove(\"Java\")改變原始列表:{tmp}")

"""
清空&清除部分
1、list.clear()
2、del list[index]
3、del list[start:end]
返回值為None,均作用於原始列表
"""
tmp1 = ["Python", "Java", "Go"]
tmp1.clear()
print(f"tmp1.clear()結果:{tmp1}")

tmp2 = ["Python", "Java", "Go", "C"]
del tmp2[-1]
print(f"tmp2[-1]結果:{tmp2}")
del tmp2[1:]  # 索引切片1到末尾全刪
print(f"tmp2[1:]結果:{tmp2}")
del tmp2[:]  # 整個列表全都清空
print(f"tmp2[:]結果:{tmp2}")

"""
列表翻轉
1、list.reverse()
    改變原列表,返回值為None
2、切片,list[::-1]
    不改變原列表,會生成新的列表
"""
tmp = [1, 2, 3, 4, 5]
tmp.reverse()
print(f"tmp.reverse()翻轉原始列表:{tmp}")

"""
列表排序
1、list.sort() 返回值為None,改變原始列表
2、 sorted(list) 有返回值,生成新列表,原始不變
"""
tmp = [4, 1, 3, 2, 5]
tmp.sort()
print(f"tmp.sort()改變原始列表:{tmp}")

tmp = [4, 1, 3, 2, 5]
tmp.sort(reverse=True)  # 降序
print(f"tmp.sort(reverse = True)降序:{tmp}")

tmp = [4, 1, 3, 2, 5]
res = sorted(tmp)  # 升序
print(f"sorted(tmp)新生成列表:{res}")

tmp = [4, 1, 3, 2, 5]
res = sorted(tmp, reverse=True)
print(f"sorted(tmp,reverse = True)降序:{res}")

"""
統計指定元素在列表中出現的次數
list.count(item)
    1、item:要統計的元素
    2、返回值為整數
"""
tmp = ["a", 2, 3, 2, "2", "2", "2"]
count_num_2 = tmp.count(2)
count_str_2 = tmp.count("2")
print(f"數字2出現了{count_num_2}次")
print(f"字元串\"2\"出現了{count_str_2}次")

12、集合常用方法

a = {}  # 這是空字典
b = set()  # 這才是空集合
print(f"a = {{}}的數據類型為{type(a)}")
print(f"b = set()的數據類型為{type(b)}")

c = {1, 2, 2, 2, 3, 4, 5}

"""
集合,添加元素
1、set.add(item) 添加單個元素
2、set.update(item) 添加多個元素
返回值均為None,改變原始集合
"""
tmp = {"a", "b", "c"}
tmp.add("c")
tmp.add("1")
tmp.update(["1", "c"])  # 列表、元組、集合均可
print(tmp)

"""
移除元素
1、set.remove(item) 返回值為None,改變原始集合
    item不存在,會報錯
2、set.discard(item) 返回值為None,改變原始集合
    item不存在,不會報錯
3、set.pop() 改變原始集合
    隨機刪除一個元素,並返回被刪除的元素
"""
tmp = {"a", "b", "c", "d", "e"}
tmp.remove("c")
tmp.discard("f")
x = tmp.pop()
print(f"tmp.pop()隨機移除了{x}")
print(f"tmp={tmp}")

"""
求合集(集合的合併)
1、set_a.union(set_b,set_c,...)
2、set_a | set_b | set_c | ...
    (豎桿,不是斜杠)
"""
set1 = {"Python", "Go"}
set2 = {"Python", "Rust"}
new_set1 = set1.union(set2)
print(f"set1 set2合集為{new_set1}")

"""
求差集
1、set_a.difference(set_b,set_c,...)
2、set_a - set_b - set_c - ...
均不改變原始集合,返回值是新的集合
"""
set1 = {"Python", "Go"}
set2 = {"Python", "Rust"}
new_set1 = set1.difference(set2)
# new_set1 = set1 - set2
new_set2 = set2.difference(set1)
# new_set2 = set2 - set1
print(f"set1 - set2 = {new_set1}")
print(f"set2 - set1 = {new_set2}")

"""
求交集(找共同的元素)
1、set_a.intersection(set_b,set_c,...)
2、set_a & set_b & set_c & ...
均不改變原始集合,返回值是新的集合
"""
set1 = {"Python", "Go"}
set2 = {"Python", "Rust"}
new_set1 = set1.intersection(set2)
print(f"set1,set2交集為{new_set1}")

"""
求不重合集
set_a.symmetric_difference(set_b,set_c,...)
不改變原始集合,返回值是新的集合
"""
set1 = {"Python","Go"}
set2 = {"Python","Rust"}
res = set1.symmetric_difference(set2)
print(f"set1,set2不重合集為{res}")

"""
判斷是否為子集
set_b.issubset(set_a)
即表示判斷set_b是否為set_a的子集
結果為布爾值,即True或False
"""
set1 = {"Python","Go"}
set2 = {"Python"}
# set2是否為set1的子集
res = set2.issubset(set1)
print(res)

13、字典常用方法

# 空字典
a = {}
a = dict()

# 若字典沒有這個key,則會添加這對鍵值對
a["name"] = "Kwan"
a["age"] = 88
print(f"空字典添加兩個值後{a}")
a["age"] = 99
print(f"修改\"age\"的value{a}")

b = {"name": "Kwan", "age": 99}
b = dict(name="Kwan", age=99)
# dict類中參數不能使用數字,會報錯
# b = dict(name="Kwan",age=99,1="abc")

# 元組列表
tuple_list = [("name", "Kwan"), ("age", 99)]
c = dict(tuple_list)
print(f"元組列表生成的字典{c}")

# 所有key都賦予相同的值
key_list = ["name", "age"]
d = dict.fromkeys(key_list, "你猜")
print(f"所有key都賦予相同的值{d}")

"""
字典取值方法
1、dict.get(key,default_value)
    1)若key不存在則返回default_value
    2)default_value預設為None
2、dict[key]
    若key不存在,則報錯
"""
tmp_dict = {"name": "Kwan", "age": 88}
res1 = tmp_dict.get("name")
# res1 = tmp_dict["name"]
res2 = tmp_dict.get("sex", "未知性別")
# res2 = tmp_dict["sex"] 報錯
print(res1)
print(res2)

"""
獲取字典所有的key
dict.keys()
    1、返回值不是列表,是dict_keys對象
    2、一般與for搭配使用
"""
tmp_dict = {"name": "Kwan", "age": 88}
res = tmp_dict.keys()
print(type(res))
for key in res:
    print(key)

"""
獲取字典所有的value
dict.values()
    1、返回值不是列表,是dict_values對象
    2、一般與for搭配使用
"""
tmp_dict = {"name": "Kwan", "age": 88}
res = tmp_dict.values()
print(type(res))
for value in res:
    print(value)

"""
獲取字典所有的key和value
dict.items()
    1、返回值不是列表,是dict_items對象
    2、一般與for搭配使用
"""
tmp_dict = {"name": "Kwan", "age": 88}
res = tmp_dict.items()
print(type(res))
# [(key1,value1),(key2,value2)]
for key, value in res:
    print(f"key:{key},value:{value}")

"""
字典的更新
dict_a.update(dict_b)
    可以新增新的鍵值對,也可修改已存在的鍵值對
"""
tmp1 = {"name": "Kwan", "age": "88"}
tmp2 = {"sex": "male", "age": 99}
tmp1.update(tmp2)
print(tmp1)

14、索引和切片

# 索引,超過變數長度-1就會報錯
#    1234567891011
a = "Hello, World"
a_len = len(a)
res = a[7]
print(f"a的長度為{a_len},a[7] = {res}")

# -6 -5 -4 -3 -2 -1 反向索引
#  0  1  2  3  4  5 正向索引
b = ["x", "y", "z", 1, 2, 3]
res = b[-1]
print(res)

# 切片,顧頭不顧尾
# [頭:尾:步長] 步長預設為1
#    -6   -5   -4  -3 -2 -1 反向索引
#     0    1    2   3  4  5 正向索引
b = ["x", "y", "z", 1, 2, 3]
res1 = b[0:3] # 0到3之間的索引 不包括尾
# res1 = b[:3]
# res1 = b[-6:-3]
res2 = b[3:6]

res3 = b[::2] # 從頭取到尾,步長為2
res4 = b[::-2] # 從頭取到尾,步長為-2
res5 = b[::-1] # 從頭取到尾,步長為-1,列表翻轉
print(f"b[0:3] = {res1}")
print(f"b[3:6] = {res2}")
print(f"b[::2] = {res3}")
print(f"b[::-2] = {res4}")
print(f"b[::-1] = {res5}")

15、for迴圈

# for ... in 迴圈
weeks_list = ["周一", "周二", "周三"]
for week in weeks_list:
    print(f"今天是{week}")

# 多個變數
date_list = [
    ["1月", "1號", "周一", "a"],
    ["2月", "2號", "周二", "a"],
    ["3月", "3號", "周三", "a"],
]
for month, date, _, _ in date_list:
    print(f"今天是{month}---{date}")

# ["1月","1號","周一"],"a"
for *date_week, _ in date_list:
    print(f"今天是{date_week}")

# "1月",["1號","周一"],"a"
for _, *date_week, _ in date_list:
    print(f"今天是{date_week}")

# continue:立即結束本次迴圈,進入下一次迴圈
# break:終止迴圈
# for ... else ...
# 當for迴圈結束且不是因為break而終止時
# 才會執行else里的代碼
num_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
for i in num_list:
    if i % 2 == 0:
        continue
        print("這是偶數{i}")
    elif i == 9:
        print(f"遇到{i},結束迴圈")
        break
    else:
        print(i)
else:
    print("本次此處for迴圈正常執行完")

16、while迴圈

a = 0
while a < 5:
    a += 1
    print(a)

a = 0
while a < 5:
    a += 1
    if a == 2:
        continue
    elif a == 4:
        break
    else:
        print(a)
else:
    print("while迴圈正常執行結束")

while True:
    print("無限迴圈")

17、if三元&推導式

"""
if的三元寫法:
    表達式1 if 條件 else 表達式2
條件為True則執行表達式1
條件為False則執行表達式2
"""
if len("test") > 5:
    a = "長度大於5"
else:
    a = "長度小於5"

a = "長度大於5" if len("test") > 5 else "長度小於5"
print(f"a = \"{a}\"")

"""
range(頭,尾,步長)
1、顧頭不顧尾,頭預設為0,步長預設為1
2、python2.x 返回結果為列表
3、python3.x 返回結果為range對象,可使用for遍歷
"""
num_list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
num_range1 = range(10)
num_range2 = range(1, 11)
num_range3 = range(1, 11, 2)
num_range4 = range(2, 11, 2)
print(f"num_range1的數據類型{type(num_range1)}")

"""
列表、集合推導式
    基本格式:
        list = [表達式 for 變數名 in 序列 if 條件]
            1) if條件,非必寫項
            2) 若寫了if,只要滿足if的條件參會執行表達式
            3) 並且不能跟else
"""

a = []
for i in range(1, 11):
    a.append(i)
print(f"正常for迴圈生成的整數列表\n{a}")

a = [i for i in range(1, 11)]
print(f"列表推導式生成的整數列表\n{a}")

o_list = []  # 求偶數列表
for i in range(1, 11):
    if i % 2 == 0:
        o_list.append(i)
print(f"正常for迴圈生成的偶數列表\n{o_list}")

o_list = [
    i for i in range(1, 11) if i % 2 == 0
]
print(f"帶if的推導式生成的偶數列表\n{o_list}")

o_list = [i for i in range(2, 11, 2)]
print(f"直接使用range步長和推導式生成的偶數列表\n{o_list}")

"""
字典推導式:
dict = {key: value for 變數名 in 序列 if 條件}
"""
tmp_list = [
    ("name", "a", "Kwan"),
    ("age", "b", 88)
]
tmp_dict = {}
for tmp_tuple in tmp_list:
    tmp_dict[tmp_tuple[0]] = tmp_tuple[2]
print(f"正常for迴圈生成的字典:\n{tmp_dict}")

tmp_dict = {
    tmp_tuple[0]: tmp_tuple[2] for tmp_tuple in tmp_tuple
}
print(f"字典推導式生成的字典:\n{tmp_dict}")

18、函數的作用&定義

"""
def 函數名(形式參數):
    代碼塊
    return 結果
    
1、形式參數:非必須
2、return:非必須,預設返回None
3、只要遇到return,函數調用就結束,立即返回結果
"""


# 空函數
def tmp1():
    pass  # 占行


def tmp2():
    return  # 返回值為None


def tmp3():
    return None


def find_num(tmp_list):
    res = []
    for i in tmp_list:
        if i.isdigit():
            res.append(i)
    return res


a = ["1", "2", "A", "3", "4", "f"]
res1 = find_num(a)
b = ["11", "21", "A1", "31", "41", "f1"]
res2 = find_num(b)
print(f"調用函數的執行結果\n{res1}")
print(f"調用函數的執行結果\n{res2}")

19、函數的參數

# 普通參數(必傳參數)
def cal_num(num1, num2):
    res = num1 ** 2 + num2
    return res


# 按順序傳參
test1 = cal_num(3, 1)  # 3的二次方加1
print(test1)
test2 = cal_num(1, 3)  # 1的二次方加3
print(test2)

# 指定傳參
test3 = cal_num(num2=1, num1=3)


# 預設參數必須放在普通參數後面
# def cal_num(num2=1,num1): 這樣會報錯
def cal_num_default(num1, num2=1):
    res = num1 ** 2 + num2
    return res


test4 = cal_num_default(3)
test5 = cal_num_default(3, 2)
test6 = cal_num_default(num2=2, num1=3)


# 不定長參數
def cal_sum(*rgs):
    result = 0
    for i in rgs:
        result += i
    return result


res1 = cal_sum(1, 2, 3)
res2 = cal_sum(1, 2, 3, 4, 5, 6, 7)


# 關鍵字參數
def cal_sum2(num, **kwargs):
    result = num
    for k, v in kwargs.items():
        result += v
    return result


# kwargs為字典{"num2":2,"num3":3}
res3 = cal_sum2(num2=2, num=1, num3=3)


# 命名關鍵字參數
def cal_sum3(num, *, num2, num3=3):
    result = num + num2 + num3
    return result


res4 = cal_sum3(num2=2, num=1)
res5 = cal_sum3(num2=2, num=1, num3=5)
"""
參數定義的順序必須是:
    普通參數、預設參數、不定長參數、命名關鍵字參數、關鍵字參數
    
def cal(num1,num2,*args,*,num3,num3,**kwargs):
"""

20、多個返回值

a = ["1", "2", "A", "3", "4", "f"]


def find_that1(tmp_list):
    res1 = []
    res2 = []
    for i in tmp_list:
        if i.isdigit():
            res1.append(i)
        elif i.isalpha():
            res2.append(i)
    return res1, res2


#   return (res1, res2)

tmp_res = find_that1(a)
tmp_res1, tmp_res2 = find_that1(a)


# 返回值不一定是代碼塊的值,可以是其他的值
def find_that2(tmp_list):
    res1 = []
    res2 = []
    for i in tmp_list:
        if i.isdigit():
            res1.append(i)
        elif i.isalpha():
            res2.append(i)
    return res1, res2, 1, 2, 3


tmp_res1, tmp_res2, *tmp_res3 = find_that2(a)
print(f"{tmp_res1},{tmp_res2},{tmp_res3}")

# return 1 + 2 有確切結果返回值,沒有就None

21、作用域

total = 0  # 全局變數


def plus(a, b):
    # 這裡的total局部變數
    total = a + b
    print(f"函數內部局部變數total={total}")


plus(1, 2)
print(f"函數外部全局變total={total}")

def plus2(a, b):
    # 在函數內部使用函數外部的全局變數total
    global total
    total = a + b
    print(f"函數內部局部變數total={total}")


plus2(1, 2)
print(f"函數外部全局變total={total}")

def plus3(a, b):
    # 在函數內部使用函數外部的全局變數total
    tmp_num = 10
    res = a + b + tmp_num
    print(f"函數內部局部變數total={res}")

# 不能在函數外部使用函數內部定義的變數
tmp_num = tmp_num + 10

22、匿名函數

"""
匿名函數:沒有函數名
lambda 參數1,參數2...參數n : 表達式
"""


def plus1(num1, num2):
    result = num1 + num2
    return result


res1 = plus1(10, 11)
print("res1 = {}".format(res1))

plus2 = lambda x, y: x + y
res2 = plus2(10, 11)
print("res2 = {}".format(res2))

23、類的定義

"""
類(class):對具有相同屬性(property)和方法(method)的對象(object)進行的抽象層

對象(object):通過類進行實例化得到

例:手機、平板、筆記本電腦...
    都屬於‘電子設備’這一類
    都有的屬性:尺寸、電量...
    都有的方法:刷劇、打游戲...
"""


# 繼承自object類
class Human(object):
    # 初始化方法
    def __init__(self, name, age=0):
        self.name = name
        self.age = age
        self.ask = False

    def run(self):
        print("{}在跑步".format(self.name))

    def sleep(self):
        print("{}在睡覺".format(self.name))


# 實例化
human = Human(name="Kwan", age=88)
# 方法
human.run()
human.sleep()
# 屬性
human_age = human.age
print(f"年齡是{human_age}")

24、魔術方法

class Human(object):
    # 構造方法 返回結果為實例化的對象
    def __new__(cls, *args, **kwargs):
        print("觸發構造方法 __new__")
        return super().__new__(cls)

    # 初始化方法 無返回值
    def __init__(self, name, age=0):
        print("觸發初始化方法 __init__")
        self.name = name
        self.age = age
        self.ask = False

    # 刪除方法(析構方法) 無返回值
    # def 對象名 或 程式執行結束之後觸發
    def __del__(self):
        print("觸發刪除方法 __def__")

    # 調用方法 返回值自定
    # 把對象當作函數調用時觸發
    def __call__(self, num):
        print("觸發調用方法 __call__")
        print(f"傳了一個{num}")

    # 列印方法 返回值必須是一個字元串
    # 使用print(對象)或者str(對象)的時候觸發
    def __str__(self):
        print("觸發列印方法 __str__")
        return "列印了我"

    def __len__(self):
        print("觸髮長度方法 __len__")
        return 100


# 實例化
human = Human(name="Kwan", age=88)
human(99)
print(human)
len_human = len(human)
print(len_human)

25、類的繼承

"""
類的繼承
1、子類會繼承父類的所有屬性和方法
2、一個類可以繼承自多個類
3、子類可以重寫父類中的方法和屬性
4、當繼承多個父類且父類中有相同方法,
    就按照從左到右的先後順序來決定使用哪個父類的方法
    # 如A、B、C三個父類都有run(),那麼class D(B,A,C)就會預設B中的run()
"""


class Human(object):
    def __init__(self, name, age=0):
        self.name = name
        self.age = age

    def run(self):
        print("{}在跑步".format(self.name))

    def work(self):
        print("{}在搬磚".format(self.name))

    def sleep(self):
        print("{}在睡覺".format(self.name))


class Money(object):
    def work(self):
        print("錢錢在自己搬自己")


# class Worker(Human, Money):
#     def sleep(self):
#         print("{}歲的{}怎麼睡的著啊".format(self.name, self.age))
class Worker(Money, Human):
    def sleep(self):
        print("{}歲的{}怎麼睡的著啊".format(self.name, self.age))


worker = Worker(name="Kwan", age=88)
print(worker.name, worker.age)
worker.run()
worker.work()
worker.sleep()

26、靜態方法和類方法

"""
靜態方法:
1、在方法的上方使用裝飾器 @staticmethod 即可
2、沒有self參數,也沒有cls參數
3、可以不經過實例化,直接使用

類方法:
1、在方法的上方使用裝飾器 @classmethod 即可
2、有cls參數,代筆類本身
3、可以不經過實例化,直接使用

類方法:能訪問類的屬性,不能訪問__init__中初始化的屬性
靜態方法:不能訪問累的屬性,不能訪問__init__中初始化的屬性
"""


class Human:
    desc = "這是一個Human類"

    def __init__(self, name="xxx", age="xxx"):
        self.name = name
        self.__age = age

    @classmethod
    def info(cls):
        print(cls.desc)

    @staticmethod
    def eat():
        print("吃飯")


Human.eat()
Human.info()

27、方法和函數

"""
1、函數和靜態方法,都是函數類型(function)
2、實例方法和類方法,都是方法類型(method)
"""
def tmp():
    pass

class Human:
    desc = "這裡一個Human類"

    def __init__(self,name,age = 0):
        self.name = name
        self.__age = age

    def run(self):
        print("{}在跑步".format(self.name))

    @classmethod
    def info(cls):
        print(cls.desc)

    @staticmethod
    def eat():
        print("吃飯")

human = Human(name="Kwan",age=88)
print(f"實例方法run的類型為{type(human.run)}")
print(f"類方法info的類型為{type(human.info)}")
print(f"靜態方法eat的類型為{type(human.eat)}")
print(f"函數tmp的類型為{type(tmp)}")

28、私有化

"""
私有屬性和私有方法
1、以雙下劃線__開頭
2、僅可在類的內部使用
"""

class Human:
    desc = "這裡一個Human類"

    def __init__(self,name,age = 0):
        self.name = name
        self.__age = age

    def __run(self):
        print("{}在跑步".format(self.name))

    def sleep(self):
        self.__run()
        print("{}歲的{}在睡覺".format(self.__age,self.name))

human = Human(name="Kwan",age=88)
human.sleep()
human.__run()
print(human.__age)

29、property裝飾器

"""
在方法的上方添加@property
作用:將方法轉為屬性
"""

class Human:
    desc = "這是一個Human類"

    def __init__(self,height=1.7,weight=60):
        self.height = height
        self.weight = weight

    @property
    def bmi(self):
        """
        BMI指數:體重(kg)/身高(m)的平方
        """
        return self.weight / self.height ** 2

    def eat(self):
        print("吃飯")

human = Human(height=1.88,weight=80)
bmi_val = human.bmi # 可以想屬性一樣調用了
print(f"BMI = {bmi_val}")
human.eat()

30.1、異常捕獲

"""
異常捕獲
try:
    執行代碼
except 錯誤類型 as 別名:
    發生異常時執行的代碼
else:
    沒有異常時執行的代碼
finally:
    無論有沒有異常都會執行的代碼
    
try/except語句: else和finally可有可無
try/finally語句:else和except可有可無
"""
try:
    a = 5
    b = "y"
    c = a / b
# except(ValueError,TypeError,NameError)
except Exception as e:
    # 萬能錯誤類型:Exception
    print(f"出現異常:{e}")
except ValueError as v:
    print(f"出現異常:{v}")
else:
    print("沒出現異常")
finally:
    print("無論有沒有異常都會執行")

30.2、拋出異常

"""
raise 錯誤類型(錯誤信息)
"""
a = 1 + 1
if a == 2:
    raise Exception("主動拋出異常")

# 自定義錯誤類型
class SpecialError(Exception):
    def __init__(self,msg):
        self.msg = msg

    def __str__(self):
        return f"出現特殊異常:{self.msg}"
raise SpecialError("未知錯誤")

30.3、斷言

"""
assert 表達式,異常信息
1、異常信息可有可無
2、表達式的結果一定要是布爾值,即True或者False

等價於:  
    if not 表達式:
        raise AssertionError(異常信息)
"""

assert  1 != 1, "肯定錯了,1當然等於1"

31、可變對象和不可變對象

"""
可變對象:list、set、dict
不可變對象:int、float、string、tuple

不可變:對象的內容是不能改變的,
        但是變數的對象引用是可變的
"""
# 次數變數a ---> "hello"
a = "hello"
print(f"a = {a}")

# 等號右邊運行結果為"hello world" 新創建的字元串
# 此時變數a --x--> "hello"
#        a -----> "hello world"
# "hello"會被垃圾回收機制清理
a = a + "world"
print(f"a = {a}")

# 此時 b[2] ---> 列表記憶體地址
# 列表記憶體地址 ---> [4,5,6]
b = (1, 2, [4, 5, 6])
print(f"b = {b}")

# 此時 b[2] ---> 列表記憶體地址(沒變)
# 列表記憶體地址 ---> [7,5,6]
b[2][0] = 7
print(f"b = {b}")

32、生成器

a = [i for i in range(3)] # 列表生成式
b = (i for i in range(3)) # 生成器
print(type(b))

def generator():
    tmp = [i for i in range(1000000)]
    index = 0
    while index < len(tmp):
        print(f"當前值:{tmp[index]}")
        index = index + 1
        yield tmp[index]
    raise StopIteration

gen = generator()
print(type(gen))
# 也可以使用for迴圈不斷地執行next(gen)
next(gen)
# 可以通過send方法觸發next
gen.send(None)

33、可迭代對象&迭代器對象

"""
1、可迭代對象:實現了__iter__()或__getitem__()
    iterable
2、迭代器對象:實現了__iter__()和__next___()
    iterator
3、使用函數iter(iterable),即可獲得迭代器對象
"""
class Array:
    def __init__(self,init_list,index = 0):
        self.init_list = init_list
        self.index = index

    def __iter__(self):
        """返回值必須為一個迭代器對象"""
        return iter(self.init_list)

    def __getitem__(self, i):
        """返回對應索引的元素"""
        return self.init_list[i]

    def __next__(self):
        if self.index > len(self.init_list) - 1:
            raise StopIteration
        self.index += 1
        return self.init_list[self.index]

# 實例化得到一個可迭代對象
tmp = Array([1,2,3])

# 轉換為迭代器對象
# gen = tmp.__iter__()
gen = iter(tmp)

# 使用next往後取值,超出長度則拋出異常
print(next(gen))
print(next(gen))
print(next(gen))
print(next(gen))

34、裝飾器

"""
裝飾器的作用:在不改變原函數的情況下增加功能
"""


# 不帶參數的函數裝飾器
def decorator(func):
    def run(*args, **kwargs):
        print("運行原函數之前")
        func()
        print("運行原函數之後")

    return run


@decorator
def start():
    print("開始運行")


start()


# 帶參數的函數裝飾器
def who(name):
    def decorator(func):
        def run():
            print(f"傳入了{name}")
            print("運行原函數之前")
            func()
            print("運行原函數之後")

        return run

    return decorator


@who(name=921)
def start():
    print("開始運行")


start()

# 不帶參數的類裝飾器
class decorator:
    def __init__(self,func):
        self.func = func
    def __call__(self, *args, **kwargs):
        print("運行原函數之前")
        self.func(*args,**kwargs)
        print("運行原函數之後")

@decorator
def start():
    print("開始運行")

start()

# 帶參數的類裝飾器
class decorator:
    def __init__(self,name):
        self.name = name
    def __call__(self, func):
        def inner(*args,**kwargs):
            print(self.name)
            print("運行原函數之前")
            func(*args,**kwargs)
            print("運行原函數之後")
        return inner

@decorator(name = "921")
def start():
    print("開始運行")

start()

35、包和模塊

"""
1、package(包):
    一個包就是一個文件夾
    只不過文件夾裡面有一個__init__.py文件

2、module(模塊):
    一個模塊就是一個.py文件

3、第三方模塊:
    官網:https://pypi.org/
    終端命令:
    安裝 pip install XXX,XXX
        pip3 install XXX,XXX
    卸載 pip uninstall XXX,XXX
    查看 pip list
    第一次用記得改源
    
    模塊導入
    import time
    from time import time_ns
"""

"""
1.py
def plus(x,y):
    return x + y
    
2.py
from 1 import plus
A = 1
B = 2
print(plus(A,B))

# 不能互相導入
"""

36、with

"""
with:上下文管理
"""
# 獲取一個文件對象
fp = open("./test.txt","r")
res1 = fp.read()
print(f"讀取結果:\n{res1}")
# 文件對象使用完畢後一點要關閉
fp.close()

with open("./text.txt","r") as fp:
    res1 = fp.read()
    print(f"讀取結果:\n{res1}")

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 大家好,我是3y,今天繼續來聊我的開源項目austin啊,但實際內容更新不多。這文章主是想吹下水,主要聊聊我在更新項目中學到的小技巧。 今天所說的小技巧可能有很多人都會,但肯定也會有跟我一樣之前沒用過的。 消息推送平臺🔥推送下發【郵件】【簡訊】【微信服務號】【微信小程式】【企業微信】【釘釘】等消息 ...
  • 非科班,經歷了無數場秋招,現將面試京東的題目記錄如下: 一面 kafka在應用場景以及 項目 里的實現 bitmap底層 object里有哪些方法 hashmap相關 sychronized和reentrantlock相關問題以及鎖升級 cas和volatile 線程幾種狀態以及轉化 jvm記憶體模型 ...
  • 做業務的時候經常忘記@RequestParam註解參數,記錄一下 首先,我們要清楚@RequestParam是乾什麼的 @RequestParam:將請求參數綁定到你控制器的方法參數上,路徑上有個參數+? @RequestParam註解參數: 語法:@RequestParam(value=”參數名” ...
  • 本文首發於公眾號:Hunter後端 原文鏈接:Django筆記三十八之發送郵件 這一篇筆記介紹如何在 Django 中發送郵件。 在 Python 中,提供了 smtplib 的郵件模塊,而 Django 在這個基礎上對其進行了封裝,我們可以通過 django.core.mail 來調用。 以下是本 ...
  • 不要跳過這部分知識,對瞭解 NodeManager 本地目錄結構,和熟悉 Container 啟動流程有幫助。 一、分散式緩存介紹 主要作用就是將用戶應用程式執行時,所需的外部文件資源下載緩存到各個節點。 YARN 分散式緩存工作流程如下: 客戶端將應用程式所需的文件資源 (外部字典、JAR 包、二 ...
  • ​ 本文分享一個給力的Java後端面試題網站:面試梯。 網址:https://offer.skyofit.com 這套題真實、高頻、全面、有詳細答案、保你穩過面試,讓你成為offer收割機。題目包括:Java基礎、多線程、JVM、資料庫、Redis、Shiro、Spring、SpringBoot、M ...
  • 3.1一個簡單的Java語言程式 這是程式雖然很簡單,但是所有的Java程式都具有這種結構,因此還是值得花一些時間來研究的。首先,Java區分大小寫。如果出現了大小寫拼寫錯誤(例如:將main拼寫成Main),程式將無法運行。 下麵逐行的查看這段源代碼。關鍵字pubilc稱為訪問修飾符(access ...
  • 基於Java的簡單圖書館管理系統實現,圖書租借管理系統,租借系統,springboot圖書館管理系統,大學圖書管理系統,圖書借閱系統,圖書館借閱歸還系統。 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...