Python is known for its simplicity, which makes it a great language for both beginners and experts. In this Python tutorial, we’ll go through key concepts, explain each example line by line, and show you multiple ways to accomplish tasks, so you can fully grasp how Python works.
1. Hello, World! — Your First Python Program
Let’s start with a basic program that prints “Hello, World!” to the screen.
# Python Tutorial: Hello World
print("Hello, World!")
Explanation:
print()
is a built-in function in Python that outputs text to the screen.- The text
"Hello, World!"
is a string (text enclosed in quotes) and it will be displayed exactly as written. - Why use
print
? It’s the simplest way to interact with a user by displaying output.
2. Variables and Data Types
In Python, you don’t have to declare the data type (string, integer, boolean). Python figures it out based on the value you assign to the variable.
# Python Tutorial: Variables
name = "Alice" # A string (text) value
age = 25 # An integer (whole number)
is_student = True # A Boolean value (True or False)
print(name, age, is_student)
Explanation:
name = "Alice"
assigns the string"Alice"
to the variablename
.age = 25
assigns the number25
toage
.is_student = True
assigns the BooleanTrue
to the variableis_student
.print(name, age, is_student)
displays all three variables at once.
Multiple Ways to Print:
- Concatenation: You can join text and variables using
+
. str(age)
converts the integerage
to a string so it can be concatenated.
print("Name: " + name + ", Age: " + str(age))
F-Strings (easiest way):
f"{name}"
allows you to directly insert variables into strings using curly braces {}
.
print(f"Name: {name}, Age: {age}, Student: {is_student}")
3. Conditional Statements — Making Decisions
In this part of the Python tutorial, we’ll learn how to make decisions in your program using if
, else
, and elif
(short for “else if”).
# Python Tutorial: Conditional Statements
score = 85
if score >= 90:
print("You got an A!")
elif score >= 80:
print("You got a B!")
else:
print("You need to improve.")
Explanation:
score = 85
sets the score value to 85.if score >= 90:
checks if the score is 90 or higher.- If this condition is true, it prints “You got an A!”
elif score >= 80:
means “else if.” If the first condition is false, Python checks this condition (score >= 80).else:
is the default condition when all previous checks fail.
Multiple Ways:
- Ternary Operator (shorter form for simple cases):
- This line compresses the
if-elif-else
into one line usingcondition ? true : false
.
- This line compresses the
result = "A" if score >= 90 else "B" if score >= 80 else "C"
print(f"You got a {result}")
4. Loops — Repeating Code
Loops let you execute code multiple times. Here’s an example with both for
and while
loops.
# Python Tutorial: For Loop
numbers = [1, 2, 3, 4]
for number in numbers:
print(number)
Explanation:
numbers = [1, 2, 3, 4]
is a list that contains four numbers.for number in numbers:
means “for each item (number
) in the listnumbers
.”print(number)
prints each number in the list.
Multiple Ways to Loop:
- Using
range()
:- range(1, 5) generates numbers from 1 to 4 (it stops before 5).
- While Loop:
- The loop continues as long as
count
is less than 5.count += 1
increments the value ofcount
by 1.
- The loop continues as long as
#Using range()
for i in range(1, 5):
print(i)
#While Loop:
count = 0
while count < 5:
print(count)
count += 1
5. Functions — Reusable Blocks of Code
Functions let you package code into reusable blocks. In this Python tutorial, we’ll write a function that greets someone by their name.
# Python Tutorial: Functions
def greet(name):
print(f"Hello, {name}!")
greet("Alice")
greet("Bob")
Explanation:
def greet(name):
defines a function namedgreet
that takes one argument,name
.print(f"Hello, {name}!")
prints a personalized greeting using an f-string.greet("Alice")
andgreet("Bob")
call the function with “Alice” and “Bob” as arguments.
Multiple Ways to Define Functions:
- Using Default Parameters:
- Lambda Functions (anonymous functions for simple tasks):
#Using Default Parameters:
def greet(name="Guest"):
print(f"Hello, {name}!")
greet() # Output: Hello, Guest!
#Lambda Functions
greet = lambda name: print(f"Hello, {name}!")
greet("Alice")
6. Lists and Dictionaries — Storing Multiple Values
Lists and dictionaries allow you to store and manipulate multiple values in one variable.
# Python Tutorial: Lists
fruits = ["apple", "banana", "cherry"]
# Access first fruit
print(fruits[0]) # Output: apple
# Python Tutorial: Dictionaries
person = {"name": "Alice", "age": 25}
# Access person's name
print(person["name"]) # Output: Alice
Explanation:
fruits = ["apple", "banana", "cherry"]
creates a list of fruits.fruits[0]
gets the first item in the list.
person = {"name": "Alice", "age": 25}
creates a dictionary with keysname
andage
.person["name"]
retrieves the value associated with the keyname
.
Multiple Ways to Access Data:
- Accessing List Items:
- Accessing Dictionary Keys:
#Accessing List Items:
for fruit in fruits:
print(fruit)
#Accessing Dictionary Keys:
for key, value in person.items():
print(f"{key}: {value}")
7. Error Handling — Managing Errors
Python has built-in ways to handle errors, ensuring your code runs smoothly even when something goes wrong.
# Python Tutorial: Error Handling
try:
x = 1 / 0
except ZeroDivisionError:
print("You cannot divide by zero!")
finally:
print("This will always execute.")
Explanation:
try:
starts a block of code that may cause an error.except ZeroDivisionError:
catches the specific error when you try to divide by zero.finally:
executes code no matter what, even if there was an error.
Multiple Ways to Handle Errors:
- Handling Multiple Errors:
try:
x = int("abc")
except ValueError:
print("That's not a valid number!")
Conclusion
This Python tutorial has provided simple explanations, multiple ways to perform tasks, and best practices for writing clean, readable Python code. By understanding not just how to write Python but why it works the way it does, you’ll be ready to tackle more complex topics.
Angular 17-18 Signals: A Practical Guide to Transforming State Management
JavaScript Error Handling: A Simple Guide with Examples
Understanding JavaScript Promises and Async/Await: A Complete Guide