Python Numbers

Python Numbers

There are three numeric types in Python:

Variables of numeric types are created when you assign a value to them:

Example

 
x = 1    
  # int
y = 2.8  # float
z = 1j   # complex

To verify the type of any object in Python, use the type() function:

Example

 
print(type(x))
print(type(y))
print(type(z))

Int

Int, or integer, is a whole number, positive or negative, without decimals, of unlimited length.

Example

Integers:

 
x = 1
y = 35656222554887711
z = 
  -3255522

print(type(x))
print(type(y))
print(type(z))

Float

Float, or "floating point number" is a number, positive or negative, containing one or more decimals.

Example

Floats:

 
x = 1.10
y = 1.0
z = -35.59

print(type(x))
print(type(y))
print(type(z))

Float can also be scientific numbers with an "e" to indicate the power of 10.

Example

Floats:

 
x = 35e3
y = 12E4
z = -87.7e100

print(type(x))
print(type(y))

  print(type(z))

Complex

Complex numbers are written with a "j" as the imaginary part:

Example

Complex:

 
x = 3+5j
y = 5j
z = -5j

print(type(x))
print(type(y))

  print(type(z))

Type Conversion

You can convert from one type to another with the int(), float(), and complex() methods:

Example

Convert from one type to another:

 
x = 1    # int
y = 2.8  # float
z = 1j   # complex

#convert from int to float:

  a = float(x)

#convert from float to int:

  b = int(y)

#convert from int to complex:
c = complex(x)

print(a)
print(b)

  print(c)

print(type(a))
print(type(b))

  print(type(c))

Python Numbers

Number data types store numeric values. They are immutable data types, which means that changing the value of a number data type results in a newly allocated object.

Different types of Number data types are :

Let’s see each one of them:

Int type 

int (Integers) are the whole number, including negative numbers but not fractions. In Python, there is no limit to how long an integer value can be.

Example 1: Creating int and checking type

 num =-8
 
# print the data type
print(type(num))

Output:

 <class 'int'>

Example 2: Performing arithmetic Operations on int type

 a =5
b =6
 
# Addition
c =a +b
print("Addition:",c)
 
d =9
e =6
 
# Subtraction
f =d -e
print("Subtraction:",f)
 
g =8
h =2
 
# Division
i =g //h
print("Division:",i)
 
j =3
k =5
 
# Multiplication
l =j *k
print("Multiplication:",l)
 
m =25
n =5
 
# Modulus
o =m %n
 
print("Modulus:",o)
 
p =6
q =2
 
# Exponent
r =p **q
print("Exponent:",r)

Output:

 Addition: 11
Subtraction: 3
Division: 4
Multiplication: 15
Modulus: 0
Exponent: 36

Float type 

This is a real number with floating-point representation. It is specified by a decimal point. Optionally, the character e or E followed by a positive or negative integer may be appended to specify scientific notation. . Some examples of numbers that are represented as floats are 0.5 and -7.823457.

For more, checkout W3Schools and Geeks For Geeks.