python用函數給不及格成績加分
烏恰網站制作公司哪家好,找成都創(chuàng)新互聯公司!從網頁設計、網站建設、微信開發(fā)、APP開發(fā)、響應式網站開發(fā)等網站項目制作,到程序開發(fā),運營維護。成都創(chuàng)新互聯公司從2013年創(chuàng)立到現在10年的時間,我們擁有了豐富的建站經驗和運維經驗,來保證我們的工作的順利進行。專注于網站建設就選成都創(chuàng)新互聯公司。
Python的高級特征你知多少?來對比看看
機器之心
人工智能信息服務平臺
來自專欄機器之心
Python 多好用不用多說,大家看看自己用的語言就知道了。但是 Python 隱藏的高級功能你都 get 了嗎?本文中,作者列舉了 Python 中五種略高級的特征以及它們的使用方法,快來一探究竟吧!
選自towardsdatascience,作者:George Seif,機器之心編譯。
Python 是一種美麗的語言,它簡單易用卻非常強大。但你真的會用 Python 的所有功能嗎?
任何編程語言的高級特征通常都是通過大量的使用經驗才發(fā)現的。比如你在編寫一個復雜的項目,并在 stackoverflow 上尋找某個問題的答案。然后你突然發(fā)現了一個非常優(yōu)雅的解決方案,它使用了你從不知道的 Python 功能!
這種學習方式太有趣了:通過探索,偶然發(fā)現什么。
下面是 Python 的 5 種高級特征,以及它們的用法。
Lambda 函數
Lambda 函數是一種比較小的匿名函數——匿名是指它實際上沒有函數名。
Python 函數通常使用 def a_function_name() 樣式來定義,但對于 lambda 函數,我們根本沒為它命名。這是因為 lambda 函數的功能是執(zhí)行某種簡單的表達式或運算,而無需完全定義函數。
lambda 函數可以使用任意數量的參數,但表達式只能有一個。
x = lambda a, b : a * b print(x(5, 6)) # prints '30' x = lambda a : a*3 + 3 print(x(3)) # prints '12'
看它多么簡單!我們執(zhí)行了一些簡單的數學運算,而無需定義整個函數。這是 Python 的眾多特征之一,這些特征使它成為一種干凈、簡單的編程語言。
Map 函數
Map() 是一種內置的 Python 函數,它可以將函數應用于各種數據結構中的元素,如列表或字典。對于這種運算來說,這是一種非常干凈而且可讀的執(zhí)行方式。
def square_it_func(a): return a * a x = map(square_it_func, [1, 4, 7]) print(x) # prints '[1, 16, 47]' def multiplier_func(a, b): return a * b x = map(multiplier_func, [1, 4, 7], [2, 5, 8]) print(x) # prints '[2, 20, 56]'看看上面的示例!我們可以將函數應用于單個或多個列表。實際上,你可以使用任何 Python 函數作為 map 函數的輸入,只要它與你正在操作的序列元素是兼容的。
Filter 函數
filter 內置函數與 map 函數非常相似,它也將函數應用于序列結構(列表、元組、字典)。二者的關鍵區(qū)別在于 filter() 將只返回應用函數返回 True 的元素。
詳情請看如下示例:
# Our numbers numbers = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15] # Function that filters out all numbers which are odd def filter_odd_numbers(num): if num % 2 == 0: return True else: return False filtered_numbers = filter(filter_odd_numbers, numbers) print(filtered_numbers) # filtered_numbers = [2, 4, 6, 8, 10, 12, 14]
我們不僅評估了每個列表元素的 True 或 False,filter() 函數還確保只返回匹配為 True 的元素。非常便于處理檢查表達式和構建返回列表這兩步。
Itertools 模塊
Python 的 Itertools 模塊是處理迭代器的工具集合。迭代器是一種可以在 for 循環(huán)語句(包括列表、元組和字典)中使用的數據類型。
使用 Itertools 模塊中的函數讓你可以執(zhí)行很多迭代器操作,這些操作通常需要多行函數和復雜的列表理解。關于 Itertools 的神奇之處,請看以下示例:
from itertools import * # Easy joining of two lists into a list of tuples for i in izip([1, 2, 3], ['a', 'b', 'c']): print i # ('a', 1) # ('b', 2) # ('c', 3) # The count() function returns an interator that # produces consecutive integers, forever. This # one is great for adding indices next to your list # elements for readability and convenience for i in izip(count(1), ['Bob', 'Emily', 'Joe']): print i # (1, 'Bob') # (2, 'Emily') # (3, 'Joe') # The dropwhile() function returns an iterator that returns # all the elements of the input which come after a certain # condition becomes false for the first time. def check_for_drop(x): print 'Checking: ', x return (x 5) for i in dropwhile(should_drop, [2, 4, 6, 8, 10, 12]): print 'Result: ', i # Checking: 2 # Checking: 4 # Result: 6 # Result: 8 # Result: 10 # Result: 12 # The groupby() function is great for retrieving bunches # of iterator elements which are the same or have similar # properties a = sorted([1, 2, 1, 3, 2, 1, 2, 3, 4, 5]) for key, value in groupby(a): print(key, value), end=' ') # (1, [1, 1, 1]) # (2, [2, 2, 2]) # (3, [3, 3]) # (4, [4]) # (5, [5])
Generator 函數
Generator 函數是一個類似迭代器的函數,即它也可以用在 for 循環(huán)語句中。這大大簡化了你的代碼,而且相比簡單的 for 循環(huán),它節(jié)省了很多內存。
比如,我們想把 1 到 1000 的所有數字相加,以下代碼塊的第一部分向你展示了如何使用 for 循環(huán)來進行這一計算。
如果列表很小,比如 1000 行,計算所需的內存還行。但如果列表巨長,比如十億浮點數,這樣做就會出現問題了。使用這種 for 循環(huán),內存中將出現大量列表,但不是每個人都有無限的 RAM 來存儲這么多東西的。Python 中的 range() 函數也是這么干的,它在內存中構建列表。
代碼中第二部分展示了使用 Python generator 函數對數字列表求和。generator 函數創(chuàng)建元素,并只在必要時將其存儲在內存中,即一次一個。這意味著,如果你要創(chuàng)建十億浮點數,你只能一次一個地把它們存儲在內存中!Python 2.x 中的 xrange() 函數就是使用 generator 來構建列表。
上述例子說明:如果你想為一個很大的范圍生成列表,那么就需要使用 generator 函數。如果你的內存有限,比如使用移動設備或邊緣計算,使用這一方法尤其重要。
也就是說,如果你想對列表進行多次迭代,并且它足夠小,可以放進內存,那最好使用 for 循環(huán)或 Python 2.x 中的 range 函數。因為 generator 函數和 xrange 函數將會在你每次訪問它們時生成新的列表值,而 Python 2.x range 函數是靜態(tài)的列表,而且整數已經置于內存中,以便快速訪問。
# (1) Using a for loopv numbers = list() for i in range(1000): numbers.append(i+1) total = sum(numbers) # (2) Using a generator def generate_numbers(n): num, numbers = 1, [] while num n: numbers.append(num) num += 1 return numbers total = sum(generate_numbers(1000)) # (3) range() vs xrange() total = sum(range(1000 + 1)) total = sum(xrange(1000 + 1))
信息輸入錯誤。根據查詢學生成績管理系統(tǒng)得知,修改成績沒有顯示是信息輸入錯誤。正確步驟如下:def stu_change():stu_num = input("請輸入要修改的學生學號:") if stu_num in stu_dict.keys(): # 先判斷該學生是否在字典中 stu_update = input("請輸入修改后的學生成績:")stu_dict[stu_num] = stu_update print("修改成功!")else: print("未查詢到該學生信息!")
# -*- coding: cp936 -*-
class StuInfo:
def __init__(self):
self.Stu=[{"Sno":"1","Sname":"姓名","ChineseScore":64,"MathsScore":34,"EnglishScore":94,"ComputerScore":83},
{"Sno":"2","Sname":"姓名","ChineseScore":44,"MathsScore":24,"EnglishScore":44,"ComputerScore":71},
{"Sno":"3","Sname":"姓名","ChineseScore":74,"MathsScore":35,"EnglishScore":74,"ComputerScore":93},
{"Sno":"4","Sname":"姓名","ChineseScore":94,"MathsScore":54,"EnglishScore":24,"ComputerScore":73}]
self.attribute={"Sno":"學號",
"Sname":"姓名",
"ChineseScore":"語文成績",
"MathsScore":"數學成績",
"EnglishScore":"英語成績",
"ComputerScore":"計算機成績"
}
def _add(self):
'''添加'''
singleInfo={}
for i in self.attribute:
if "Score" in i:
singleInfo[i]=int(raw_input(self.attribute[i]+"\n"))
else:
singleInfo[i]=raw_input(self.attribute[i]+"\n").strip()
self.Stu.append(singleInfo)
print "添加成功OK"
for i in singleInfo:
print i,"=",singleInfo[i]
def _del(self):
"""刪除學號為Sno的記錄"""
Sno=raw_input("學號:\n")
self.Stu.remove(self.__getInfo(Sno))
print "刪除成功OK"
def _update(self):
"""更新數據"""
Sno=raw_input("學號\n").strip()
prefix="修改"
updateOperate={"1":"ChineseScore",
"2":"MathsScore",
"3":"EnglishScore",
"4":"ComputerScore"}
for i in updateOperate:
print i,"--",prefix+self.attribute[updateOperate[i]]
getOperateNum=raw_input("選擇操作:\n")
if getOperateNum:
getNewValue=int(raw_input("輸入新的值:\n"))
record=self.__getInfo(Sno)
record[updateOperate[getOperateNum]]=getNewValue
print "修改"+record["Sname"]+"的"+str(updateOperate[getOperateNum])+"成績=",getNewValue,"\n成功OK"
def _getInfo(self):
"""查詢數據"""
while True:
print "1-學號查詢 2-條件查詢 3-退出"
getNum=raw_input("選擇:\n")
if getNum=="1":
Sno=raw_input("學號:\n")
print filter(lambda record:record["Sno"]==Sno,self.Stu)[0]
elif getNum=="2":
print "ChineseScore 語文成績;","MathsScore 數學成績;","EnglishScore 英語成績;","ComputerScore 計算機成績;"
print "等于 ==,小于 , 大于 ,大于等于 =,小于等于= ,不等于!="
print "按如下格式輸入查詢條件 eg: ChineseScore=60 "
expr=raw_input("條件:\n")
Infos=self.__getInfo(expr=expr)
if Infos:
print "共%d記錄"%len(Infos)
for i in Infos:
print i
else:
print "記錄為空"
elif getNum=="3":
break
else:
pass
def __getInfo(self,Sno=None,expr=""):
"""查詢數據
根據學號 _getInfo("111111")
根據分數 _getInfo("EnglishSorce80")"""
if Sno:
return filter(lambda record:record["Sno"]==Sno,self.Stu)[0]
for operate in ["=","","=","","==","!="]:
if operate in expr:
gradeName,value=expr.split(operate)
return filter(lambda record: eval( repr(record[gradeName.strip()])+operate+value.strip()) ,self.Stu)
return {}
def _showAll(self):
"""顯示所有記錄"""
for i in self.Stu:
print i
@staticmethod
def test():
"""測試"""
_StuInfo=StuInfo()
while True:
print "1-錄入數據 2-修改數據 3-刪除數據 4-查詢數據 5-查看數據 6-退出"
t=raw_input("選擇:\n")
if t=="1":
print "錄入數據"
_StuInfo._add()
elif t=="2":
print "修改數據"
_StuInfo._update()
elif t=="3":
print "刪除數據"
_StuInfo._del()
elif t=="4":
print "查詢數據"
_StuInfo._getInfo()
elif t=="5":
print "顯示所有記錄"
_StuInfo._showAll()
elif t=="6":
break
else:
pass
if __name__=="__main__":
StuInfo.test()