HelloGrade Logo

HelloGrade

Python Programming Basics

Published on: January 9, 2025 by Henson M. Sagorsor

Python Programming Basics

Why Learn Python?

"Python is the second most loved programming language in the world, with over 10 million developers using it today." That’s not just a statistic—it’s a wake-up call. If you want to stay relevant in tech, learning Python programming isn’t just an option; it’s a necessity.

Why? Because Python is everywhere. It powers web development, automation, artificial intelligence, and data science. Companies like Google, Netflix, and NASA rely on it. And the best part? Python’s simplicity makes it beginner-friendly, yet powerful enough for industry pros.

In this guide, we’ll break down Python basics step by step. No fluff. No jargon. Just clear, practical insights to get you writing real code fast. By the end, you won’t just learn Python—you’ll be ready to build, automate, and innovate. Ready to dive in? Let’s go!

Understanding Python Syntax

Python’s syntax is designed to be simple, readable, and intuitive. Unlike other programming languages that use curly brackets {} to define code blocks, Python uses indentation. This enforces clean and structured code, making it easier to read and maintain.

Indentation: Structuring Code with Whitespace

In Python, indentation isn’t optional—it’s a fundamental part of the language. Each level of indentation defines a new code block. This helps improve readability and prevents common syntax errors.

Example:

if True:
    print("This is an indented block")  # Proper indentation
print("This is outside the block")  # No indentation
            

Failing to indent properly results in an error:

if True:
print("This will cause an IndentationError")  # Missing indentation
            

Writing Comments in Python

Comments are used to explain code, making it easier to understand and maintain. Python supports single-line and multi-line comments.

Single-Line Comments

Single-line comments start with a # symbol. Anything after # on that line is ignored by Python.

# This is a single-line comment
print("Hello, Python!")  # This prints a message
            
Multi-Line Comments

Python does not have an official syntax for multi-line comments, but triple quotes (''' or """) are often used as a workaround.

'''
This is a multi-line comment
It spans multiple lines
'''
print("Multi-line comments in action!")
            

While these technically create multi-line string literals, they function as comments if they are not assigned to a variable.

Variables and Naming Conventions

In Python, a variable is a container for storing data values. Unlike some other programming languages, Python does not require explicit declaration of variable types. The type is inferred based on the assigned value.

Declaring Variables

In Python, variables are created when you assign a value to them. You do not need to define the data type explicitly.

Example:

        # Assigning values to variables
        name = "Alice"
        age = 25
        height = 5.6
        is_student = True
        
        print(name)  # Output: Alice
        print(age)   # Output: 25
        print(height)  # Output: 5.6
        print(is_student)  # Output: True
                    

Dynamic Typing in Python

Python allows reassignment of a variable with a different data type. This is known as dynamic typing.

        # Changing variable type dynamically
        x = 10    # Integer
        x = "Hello"  # Now a string
        
        print(x)  # Output: Hello
                    

Naming Conventions

Following proper naming conventions makes code more readable and maintainable. Python follows these commonly used styles:

Camel Case

Used for class names. Each word starts with a capital letter.

        class MyClass:
            pass
                    
Snake Case

Used for variables and functions. Words are separated by underscores.

        first_name = "John"
        def my_function():
            pass
                    
Pascal Case

Similar to Camel Case, but commonly used for class names in other languages.

        class DataProcessor:
            pass
                    
Uppercase with Underscores

Used for constants.

        MAX_SIZE = 100
        DEFAULT_COLOR = "Blue"
                    
Leading Underscore

Indicates a non-public variable or method.

        _internal_variable = 42
                    
Double Leading Underscore

Triggers name mangling in classes to prevent name conflicts.

        class Example:
            def __private_method(self):
                pass
                    
Dunder Methods (Double Underscore)

Special Python methods that are used for built-in functionality.

        class Person:
            def __init__(self, name):
                self.name = name
        
            def __str__(self):
                return f"Person: {self.name}"
                    
Single Trailing Underscore

Used to avoid conflicts with Python keywords.

        class_ = "Python"
                    

Understanding Data Types in Python

A data type defines the type of value a variable can store and determines what operations can be performed on it. Python provides several built-in data types for handling different kinds of data.

Common Data Types in Python

Python supports various data types, including text, numbers, sequences, mappings, sets, and binary data.

Data Type Keyword Example Description
Text str name = "John Doe" Used for textual data.
Integer int age = 30 Represents whole numbers.
Floating Point float height = 5.9 Used for decimal numbers.
Boolean bool is_student = True Used for true/false values.
List list colors = ["red", "green", "blue"] An ordered and mutable collection.
Tuple tuple dimensions = (1920, 1080) An ordered and immutable collection.
Dictionary dict person = {"name": "Alice", "age": 25} Maps keys to values.

Example Usage of Data Types

Here are examples of how to declare and use different data types in Python:

# Text (String)
name = "Alice"
print(name)

# Integer
age = 25
print(age)

# Float
height = 5.6
print(height)

# Boolean
is_student = True
print(is_student)

# List
colors = ["red", "green", "blue"]
print(colors)

# Tuple
dimensions = (1920, 1080)
print(dimensions)

# Dictionary
person = {"name": "Alice", "age": 25}
print(person)
            

Checking Data Type

You can check the data type of a variable using the type() function.

x = 10
print(type(x))  # Output: 

y = 5.9
print(type(y))  # Output: 

z = "Hello"
print(type(z))  # Output: 
            

Type Conversion

Python allows conversion between different data types using built-in functions.

# Converting int to float
x = 10
x = float(x)
print(x)  # Output: 10.0

# Converting float to int
y = 5.9
y = int(y)
print(y)  # Output: 5

# Converting number to string
z = 42
z = str(z)
print(z)  # Output: "42"
            

Basic Operators in Python

Operators are used to perform operations on variables and values. Python supports several types of operators, including arithmetic, comparison, and logical operators.

Arithmetic Operators

Arithmetic operators are used to perform mathematical calculations.

Operator Name Example Result
+ Addition x + y Sum of x and y
- Subtraction x - y Difference of x and y
* Multiplication x * y Product of x and y
/ Division x / y Quotient of x and y
% Modulus x % y Remainder of x divided by y
** Exponentiation x ** y x raised to the power of y
// Floor Division x // y Quotient rounded down

Comparison Operators

Comparison operators are used to compare two values and return a boolean result.

        x = 10
        y = 5
        
        print(x == y)  # False
        print(x != y)  # True
        print(x > y)   # True
        print(x < y)   # False
        print(x >= y)  # True
        print(x <= y)  # False
                    

Logical Operators

Logical operators combine conditional statements to return True or False.

        x = 5
        y = 10
        
        print(x < 10 and y > 5)  # True
        print(x > 10 or y > 5)   # True
        print(not (x > y))       # True
                    

Example Usage

Here’s how arithmetic, comparison, and logical operators work in a real-world example:

        # Example: Checking if a student passed based on score
        score = 85
        
        # Pass if score is 75 or higher
        is_pass = score >= 75
        
        # Printing results
        print("Score:", score)
        print("Passed:", is_pass)
        
        # Using logical operators
        attendance = 90  # Percentage
        
        # Student passes if attendance is above 80 and score is above 75
        final_result = is_pass and attendance > 80
        
        print("Final Result:", final_result)  # True
                    

Final Thoughts

Python is one of the most powerful and beginner-friendly programming languages available today. By understanding its syntax, variables, data types, and operators, you have taken the first step toward mastering Python programming. These fundamentals serve as the foundation for more advanced topics like loops, functions, and object-oriented programming.

The best way to learn Python is through practice. Experiment with different data types, test out logical conditions, and try building small projects. The more you code, the more confident you’ll become!

Test Your Knowledge

Think you’ve grasped the basics of Python? Challenge yourself by taking our assessment and see how well you understand Python syntax, variables, data types, and operators.

What’s Next?

Now that you’ve mastered Python’s basic building blocks, it’s time to move forward! In the next lesson, we’ll dive into working with strings in Python, where you’ll learn how to manipulate text data effectively.

Explore More Topics

Learning Python is just the beginning. If you're looking to improve your productivity and personal development, check out this related topic:

Keep practicing, keep exploring, and most importantly—keep coding!

We'd Like to Hear Your Feedback

Comments

No comments yet. Be the first to share your thoughts!