내장 함수는 zip, filter, isinstance 등 즉시 사용할 수 있는 파이썬 고유의 함수 메소드입니다.
다음은 내장 함수 목록입니다. Python의 공식 문서에 제공된 함수에서는 매우 완벽합니다
다음은 일반적인 내장 함수입니다:
enumerate()는 Python의 내장 함수입니다. 열거(enumeration)와 열거(enumeration)를 의미합니다.
반복 가능/순회 가능한 개체(예: 목록, 문자열)의 경우 열거는 인덱스와 값을 동시에 얻는 데 사용할 수 있는 인덱스 시퀀스를 형성합니다.
파이썬에서 열거형의 사용법은 대부분 for 루프에서 개수를 가져오는 데 사용됩니다.
seasons = ['Spring', 'Summer', 'Fall', 'Winter'] list(enumerate(seasons)) [(0, 'Spring'), (1, 'Summer'), (2, 'Fall'), (3, 'Winter')] list(enumerate(seasons, start=1)) [(1, 'Spring'), (2, 'Summer'), (3, 'Fall'), (4, 'Winter')]
zip() 함수는 반복 가능한 개체를 매개 변수로 사용하고 개체의 해당 요소를 튜플로 묶은 다음 튜플 목록을 반환하는 데 사용됩니다.
각 반복자의 요소 수가 일치하지 않는 경우 반환된 목록의 길이는 가장 짧은 개체와 동일합니다. * 연산자를 사용하여 튜플을 목록으로 압축 해제합니다.
zip(iterable1,iterable2, ...).
>>> for item in zip([1, 2, 3], ['sugar', 'spice', 'everything nice']): ... print(item) ... (1, 'sugar') (2, 'spice') (3, 'everything nice')
filter는 시퀀스를 필터링하고 반복자 객체를 반환하며 조건을 충족하지 않는 시퀀스를 제거합니다.
필터(함수, 데이터).
조건 선택 기능으로 작동합니다.
예를 들어, 입력된 숫자가 짝수인지 확인하는 함수를 정의하세요. 숫자가 짝수이면 True를 반환하고, 그렇지 않으면 False를 반환합니다.
def is_even(x): if x % 2 == 0: return True else: return False
그런 다음 필터를 사용하여 목록을 필터링하세요.
l1 = [1, 2, 3, 4, 5] fl = filter(is_even, l1) list(fl)
isinstance는 변수나 개체가 특정 유형에 속하는지 확인하는 데 사용되는 함수입니다.
매개변수 개체가 classinfo의 인스턴스이거나 개체가 classinfo 클래스의 하위 클래스 인스턴스인 경우 True를 반환합니다. object가 지정된 유형의 개체가 아닌 경우 반환 결과는 항상 False입니다.
>>>a = 2 >>> isinstance (a,int) True >>> isinstance (a,str) False >>> isinstance (a,(str,int,list))# 是元组中的一个返回 True True
eval은 문자열 str을 유효한 표현식으로 평가하고 계산 결과를 반환하는 데 사용됩니다.
expression은 전역 및 로컬 사전을 전역 및 로컬 네임스페이스로 사용하여 매개변수 표현식을 구문 분석하고 Python 표현식(기술적으로 조건 목록)으로 평가합니다.
>>>x = 7 >>> eval( '3 * x' ) 21 >>> eval('pow(2,2)') 4 >>> eval('2 + 2') 4 >>> n=81 >>> eval("n + 4") 85
일상 코딩 과정에는 실제로 자주 사용되는 문장 패턴이 많이 있는데, 이는 매우 자주 등장하고 흔한 쓰기 방식이기도 합니다.
형식은 문자열을 템플릿으로 처리하고 전달된 매개 변수를 통해 형식을 지정합니다.
# 格式化字符串 print('{} {}'.format('hello','world')) # 浮点数 float1 = 563.78453 print("{:5.2f}".format(float1))
두 문자열을 연결하려면 +를 사용하세요.
string1 = "Linux" string2 = "Hint" joined_string = string1 + string2 print(joined_string)
Python 조건문은 하나 이상의 문의 실행 결과(True 또는 False)에 따라 실행되는 코드 블록입니다.
if...else 문은 판단이 필요한 상황을 실행하는 데 사용됩니다.
# Assign a numeric value number = 70 # Check the is more than 70 or not if (number >= 70): print("You have passed") else: print("You have not passed")
루프 문은 특정 작업을 수행하기 위해 시퀀스와 루프를 순회하는 것입니다.
for 루프:
# Initialize the list weekdays = ["Sunday", "Monday", "Tuesday","Wednesday", "Thursday","Friday", "Saturday"] print("Seven Weekdays are:n") # Iterate the list using for loop for day in range(len(weekdays)): print(weekdays[day])
while 루프:
# Initialize counter counter = 1 # Iterate the loop 5 times while counter < 6: # Print the counter value print ("The current counter value: %d" % counter) # Increment the counter counter = counter + 1
때로는 다른 Python 파일에서 스크립트를 사용해야 하는 경우가 있습니다. 이는 import 키워드를 사용하여 가져오는 것과 마찬가지로 실제로 매우 간단합니다. 모든 모듈.
vacations.py:
# Initialize values vacation1 = "Summer Vacation" vacation2 = "Winter Vacation"
예를 들어 아래 스크립트에서 위 vacations.py의 코드를 인용하세요.
# Import another python script import vacations as v # Initialize the month list months = ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"] # Initial flag variable to print summer vacation one time flag = 0 # Iterate the list using for loop for month in months: if month == "June" or month == "July": if flag == 0: print("Now",v.vacation1) flag = 1 elif month == "December": print("Now",v.vacation2) else: print("The current month is",month)
Python 목록 이해는 하나 이상의 반복자에서 데이터 유형을 빠르고 간결하게 생성하는 방법으로 긴 구문 코드를 피하고 코드 작동 효율성을 향상시킵니다. 파생을 능숙하게 사용할 수 있다는 것은 간접적으로 Python 초보자의 수준을 넘어섰다는 것을 나타낼 수도 있습니다.
# Create a list of characters using list comprehension char_list = [ char for char in "linuxhint" ] print(char_list) # Define a tuple of websites websites = ("google.com","yahoo.com", "ask.com", "bing.com") # Create a list from tuple using list comprehension site_list = [ site for site in websites ] print(site_list)
계산이 포함된 대화형 Python에 가장 일반적으로 사용되는 시나리오 중 하나는 D 드라이브에서 CSV 파일을 읽은 다음 데이터를 다시 작성하고 저장하는 것입니다. 이를 위해서는 Python이 파일 읽기 및 쓰기 작업을 수행해야 하며, 이는 초보자가 마스터해야 하는 핵심 기술이기도 합니다.
#Assign the filename filename = "languages.txt" # Open file for writing fileHandler = open(filename, "w") # Add some text fileHandler.write("Bashn") fileHandler.write("Pythonn") fileHandler.write("PHPn") # Close the file fileHandler.close() # Open file for reading fileHandler = open(filename, "r") # Read a file line by line for line in fileHandler: print(line) # Close the file fileHandler.close()
리스트, 문자열, 튜플 등의 시퀀스는 모두 슬라이싱과 인덱싱이 필요합니다. 왜냐하면 데이터를 가로채야 하기 때문입니다. 따라서 이 역시 매우 핵심적인 기술입니다.
var1 = 'Hello World!' var2 = "zhihu" print ("var1[0]: ", var1[0]) print ("var2[1:5]: ", var2[1:5])
函数和类是一种封装好的代码块,可以让代码更加简洁、实用、高效、强壮,是python的核心语法之一。
定义和调用函数。
# Define addition function def addition(number1, number2): result = number1 + number2 print("Addition result:",result) # Define area function with return statement def area(radius): result = 3.14 * radius * radius return result # Call addition function addition(400, 300) # Call area function print("Area of the circle is",area(4))
定义和实例化类。
# Define the class class Employee: name = "Mostak Mahmud" # Define the method def details(self): print("Post: Marketing Officer") print("Department: Sales") print("Salary: $1000") # Create the employee object emp = Employee() # Print the class variable print("Name:",emp.name) # Call the class method emp.details()
编程过程中难免会遇到错误和异常,所以我们要及时处理它,避免对后续代码造成影响。
所有的标准异常都使用类来实现,都是基类Exception的成员,都从基类Exception继承,而且都在exceptions模块中定义。
Python自动将所有异常名称放在内建命名空间中,所以程序不必导入exceptions模块即可使用异常。一旦引发而且没有捕捉SystemExit异常,程序执行就会终止。
异常的处理过程、如何引发或抛出异常及如何构建自己的异常类都是需要深入理解的。
# Try block try: # Take a number number = int(input("Enter a number: ")) if number % 2 == 0: print("Number is even") else: print("Number is odd") # Exception block except (ValueError): # Print error message print("Enter a numeric value")
当然Python还有很多有用的函数和方法,需要大家自己去总结,这里抛砖引玉,希望能帮助到需要的小伙伴。
위 내용은 파이썬에서 가장 일반적으로 사용되는 명령문과 함수가 무엇인지 이야기해 볼까요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!