Article Categories
- All Categories
-
Data Structure
-
Networking
-
RDBMS
-
Operating System
-
Java
-
MS Excel
-
iOS
-
HTML
-
CSS
-
Android
-
Python
-
C Programming
-
C++
-
C#
-
MongoDB
-
MySQL
-
Javascript
-
PHP
Python Program to find area of square
A square is a closed two-dimensional figure having 4 equal sides. Each angle of a square is 90 degrees. The area of a square is the space enclosed within its four sides. In this problem, we are given the side of a square, and we have to find the area of the square. In this tutorial, we are going to find the area of a given square in Python using different approaches.
Example 1
Input: side = 6 units Output: 36 square units
Using the formula to calculate the area of the square: side × side = 6 × 6 = 36 square units
Example 2
Input: 0 Output: 0
If the side length is zero, the square does not exist as a two-dimensional figure, and hence, there is no area.
Example 3
Input: side = 12 units Output: 144 square units
Using the formula to calculate the area of the square: side × side = 12 × 12 = 144 square units.
Below are different approaches to finding the area of the square
- Using the Direct Formula Approach
- Using Function
Using the Direct Formula Approach
We use the direct formula to calculate the area of the square. The formula for calculating the area is: Area = side × side. After calculating the area, we return the result.
Steps for Implementation
- We first take the side length as input.
- Now, use the formula for area = side × side.
- Return the calculated area.
side = 5
area = side * side
print(f"The area of the square with side {side} is: {area}")
Output
The area of the square with side 5 is: 25
Using a Function
We use a function to calculate the area of the square. The logic and formula remain the same, but encapsulating the logic in a function makes it reusable and more modular.
Steps for Implementation
- Create a function that calculates the area using the formula.
- Pass the input side length as an argument to the function.
- Output the calculated result.
def calculate_area(side):
return side * side
side = 6
area = calculate_area(side)
print(f"The area of the square with side length {side} is: {area}")
Output
The area of the square with side length 6 is: 36
