> 백엔드 개발 > 파이썬 튜토리얼 > Python 튜토리얼 - 소개

Python 튜토리얼 - 소개

王林
풀어 주다: 2024-08-25 06:01:50
원래의
452명이 탐색했습니다.

Python은 특히 AI 기술의 부상과 함께 현재 가장 인기 있는 프로그래밍 언어 중 하나입니다. Python은 웹 애플리케이션, 백엔드 서비스, 데이터 과학, 기계 학습 등 다양한 개발을 위한 다목적 프로그래밍 언어입니다.

설정

Python으로 코딩하기 위한 준비 사항은 다음과 같습니다.

  1. Python을 다운로드한 후 설치하세요.
  2. Visual Studio Code와 같은 Python 코드 또는 PyCharm과 같은 전용 IDE를 작성하는 데 텍스트 편집기를 사용할 수 있습니다.

첫 번째 코드 작성

main.py라는 확장명이 .py인 새 파일을 만듭니다. 그런 다음 이 코드를 작성하세요.

print("Hello World!")
로그인 후 복사

Python 코드를 실행하려면 이 명령을 실행하세요.

python main.py
로그인 후 복사

결과물입니다.

Hello World!
로그인 후 복사

위 코드를 기반으로 print() 함수는 Hello World! 텍스트.

변수 및 데이터 유형

변수는 정수, 부동 숫자, 문자열(영숫자 묶음)과 같은 값을 저장하는 장소입니다. Python에서 변수를 사용하는 예입니다.

number = 42
username = "John Doe"
price = 2.95
로그인 후 복사

변수의 값을 표시하려면 print() 함수를 사용하세요.

number = 42
username = "John Doe"
price = 2.95

# display a value from variable
print("this is a number", number)
print("price: ", price)
# using formatting
print(f"hello, my username is {username}")
로그인 후 복사

결과물입니다.

this is a number 42
price:  2.95
hello, my username is John Doe
로그인 후 복사

파이썬에서 일반적으로 사용되는 데이터 유형 목록입니다.

Data Type Value
Integer non-decimal number
Float decimal number
String Alphanumeric characters
Boolean True or False

연산자

Python에는 기본 산술 연산자가 많이 있습니다. 이러한 연산자는 정수 및 부동 소수점과 같은 숫자 데이터 유형에 대한 계산을 수행하는 데 사용할 수 있습니다.

Operator Description
+ add operation
- substract operation
* multiply operation
/ division operation
// floor division operation
% modulo operation (get the remainder from division operation)
** Perform the operation of raising a number to the power of a number

파이썬에서 연산자 사용 예입니다.

first = 4
second = 2

addition = first + second
subtraction = first - second
multiplication = first * second
division = first / second
mod = first % second
square_of_first = first ** 2

print(f'{first} + {second} = {addition}')
print(f'{first} - {second} = {subtraction}')
print(f'{first} * {second} = {multiplication}')
print(f'{first} / {second} = {division}')
print(f'{first} % {second} = {mod}')
print(f'{first} ** {2} = {square_of_first}')
로그인 후 복사

출력

4 + 2 = 6
4 - 2 = 2
4 * 2 = 8
4 / 2 = 2.0
4 % 2 = 0
4 ** 2 = 16
로그인 후 복사

// 연산자는 나눗셈을 수행한 후 나눗셈 결과의 바닥값을 반환합니다.

result = 29 // 5 # returns 5 (actual value before floor operation: 5.8)
로그인 후 복사

사용자 입력 추가

input() 함수는 사용자의 입력을 읽습니다. 이 함수는 Python에서 대화형 프로그램을 만드는 데 유용합니다. 기본적으로 input()은 문자열 데이터 유형을 반환합니다.

input() 함수를 사용하는 기본 예제입니다.

# get username from input
username = input("enter username: ")
# get age from input
# the int() function converts string into integer data type
age = int(input("enter age: "))

print(f"username: {username}")
print(f"age: {age}")
로그인 후 복사

출력

Python Tutorial - ntroduction

예 1 - 직사각형 면적 계산

파이썬으로 직사각형 면적 계산 프로그램을 만들어 보겠습니다. 이 프로그램을 사용하면 사용자가 직사각형의 길이와 너비를 입력할 수 있습니다. 그런 다음 프로그램은 직사각형의 면적을 계산한 다음 이를 사용자에게 표시합니다.

# get length from user input
length = int(input("enter length: "))

# get width from user input
width = int(input("enter width: "))

# calculate the area of rectangle
area = length * width

# display the result
print(f"area of rectangle: {area}")
로그인 후 복사

출력

Python Tutorial - ntroduction

예 2 - 할인된 가격 받기

할인이 적용된 상품의 가격을 계산하는 프로그램을 만들어 보겠습니다. 이 프로그램을 통해 사용자는 실제 가격과 할인을 입력할 수 있습니다. 그런 다음 프로그램은 할인된 가격을 반환합니다.

# get price from user input
price = int(input("enter price: "))

# get discount from user input
discount = int(input("enter discount: "))

# calculate the discounted price
discounted_price = price - (price * (discount / 100))

# display the result
print(f"original price: {price}")
print(f"discounted price: {discounted_price}")
로그인 후 복사

출력

Python Tutorial - ntroduction

출처

  • 파이썬 공식 페이지.
  • 파이썬 튜토리얼.

이 기사가 Python을 배우는 데 도움이 되기를 바랍니다. 피드백이 있으시면 댓글로 알려주세요.

위 내용은 Python 튜토리얼 - 소개의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

원천:dev.to
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿