Python profram 计算给定数字的平方
给定一个数字,任务是编写一个Python程序来计算给定数字的平方。
例子:
Input: 4
Output: 16
Input: 3
Output: 9
Input: 10
Output: 100
我们将提供数字,我们将获得该数字的平方作为输出。我们有以下三种方法:
- 乘以数字得到平方(N * N)
- 使用指数运算符
- 使用 math.pow() 方法
方法一:乘法
在这种方法中,我们将把这个数字相互乘以得到这个数字的平方。
例子:
Python3
# Declaring the number.
n = 4
# Finding square by multiplying them
# with each other
square = n * n
# Printing square
print(square)
Python3
# Declaring the number.
n = 4
# Finding square by using exponent operator
# This will yield n power 2 i.e. square of n
square = n ** 2
# Printing square
print(square)
Python3
# Declaring the number.
n = 4
# Finding square by using pow method
# This will yield n power 2 i.e. square of n
square = pow(n, 2)
# Printing square
print(square)
输出:
16
方法 2:使用指数运算符
在这种方法中,我们使用指数运算符来计算数字的平方。
Exponent Operator: **
Return: a ** b will return a raised to power b as output.
例子:
蟒蛇3
# Declaring the number.
n = 4
# Finding square by using exponent operator
# This will yield n power 2 i.e. square of n
square = n ** 2
# Printing square
print(square)
输出:
16
方法三:使用 pow() 方法
在这种方法中,我们将使用 pow() 方法来计算数字的平方。此函数计算 x**y 并返回一个浮点值作为输出。
Syntax: float pow(x,y)
Parameters :
x : Number whose power has to be calculated.
y : Value raised to compute power.
Return Value :
Returns the value x**y in float.
例子:
蟒蛇3
# Declaring the number.
n = 4
# Finding square by using pow method
# This will yield n power 2 i.e. square of n
square = pow(n, 2)
# Printing square
print(square)
输出:
16.0