Python Variables
In Python, variables are used to store data values. A variable can hold different types of data, such as numbers, strings, or booleans. Here's an example of how to create and use variables in Python:
# Integer variable
num1 = 5
num2 = 10
sum = num1 + num2
print(sum) # Output: 15
# String variable
name = "John"
print("My name is " + name) # Output: My name is John
# Boolean variable
is_sunny = True
if is_sunny:
print("It's a sunny day!") # Output: It's a sunny day!
else:
print("It's a cloudy day.")
In the above example, we first create two integer variables num1 and num2, then we create a variable called sum which holds the sum of num1 and num2. We then print the value of sum using the print() function.
Next, we create a string variable name and concatenate it with a string literal using the + operator.
Finally, we create a boolean variable is sunny and use it in an if-else statement to print whether it's a sunny or cloudy day.
Python Comments:
In Python, comments are used to add explanatory or descriptive notes within the code. Comments are ignored by the Python interpreter and are not executed as part of the program. They are solely intended for human readers to understand the code better.
There are two ways to write comments in Python:
Single-line comments: These comments are used for a single line of code and start with the # symbol. Anything after the # symbol on that line is considered a comment.
# This is a single-line comment
print("Hello, World!") # This is another comment
Multi-line comments: These comments can span across multiple lines and are enclosed within triple quotes (`' ' '` or `" " "`).
'''
This is a multi-line comment.
It can span across multiple lines.
'''
print("Hello, World!")
It is common practice to use comments to explain the purpose of the code, provide information about the logic, document function or class definitions, or add any other relevant details to make the code more understandable and maintainable.
Here's an example that demonstrates the usage of comments in Python:
# This program calculates the sum of two numbers
# Define the numbers
num1 = 5 # First number
num2 = 10 # Second number
print("The sum is:", sum)
In the above example, comments are used to explain the purpose of the program, define variables, and clarify the steps involved in calculating the sum.
Comments
Post a Comment