Dive Deep into Python Type Casting: Best Practices and Examples
Python uses different datatypes of processing, use information effectively. There are some scenarios in which a given value's data type needs to be changed to some other data type.
This process is known as type casting.
Another, more informal way to refer to it is "data type conversion".
Let's say for example, a user submits a form on a website.
One of the fields was an integer, but the data was passed as a string.
This is a problem because the only way to perform calculations with the numbers saved as a string is to convert it to an integer datatype.
To do this, we can use typecasting in Python:
Implicit data type conversion is performed automatically by Python's compiler to prevent data loss.
When Python runs operations involving integers and floats, it implicitly converts the integers type to a float, and then completes the operation.
Let me show you a small program in Python, working with numbers:
num_1 = input('Enter the first number: ')
num_2 = input('Enter the second number: ')
sum = num_1 + num_2
print(sum)
When we run this program, we could, for example, provide the first number's value as 5, and the second number's value also as 5, expecting that the printed sum value will be 10.
However, when we do exactly that, the number 55 gets printed instead.
Recommended by LinkedIn
Why was this not working?
Well, the answer is pretty simple: everything that a user types in, is converted, by Python, to the string data type.
This means that, although typed numbers into these two inputs, what was saved in num_1 and num_2 were actually strings.
Note: If data types are not compatible, Python will throw a type error.
In order to have this Python code work as intended, we need to perform explicit type conversion.
In other words, we have to convert the value of "5" to the value of 5.
num_1 = input('Enter the first number: ')
num_2 = input('Enter the second number: ')
# Explicitly convert strings to floats
num_1 = float(num_1)
num_2 = float(num_2)
sum = num_1 + num_2
print("The sum of", num_1, "and", num_2, "is:", sum)
# Let's say user input looks like this:
Enter the first number: 10.5
Enter the second number: 20.75
The sum of 10.5 and 20.75 is: 31.25
What we're doing here is, we're making sure that our program can handle even accepting floats as inputs, and still work correctly.
In Python, it's easy to perform explicit conversions, and sometimes they are very useful.
Practical Scenarios for Type Casting
Type casting plays a crucial role in various programming scenarios, including:
So, the next time you find yourself juggling different data types in your Python code, remember the trusty companion that is type casting.
$3.8m ARR. $0 raised. I have no idea what I'm doing.
9mo😍