Python for Beginners: Turning Numbers into Text (String Conversion)

Converting to Text with python built in str() Function

Its simple and easy

We can convert number to string like this . here x=10 , where the value of x is a number when we write x=str(x) it becomes a string. Thats all!

x=10

x=str(x)

So we can convert number to string with str()



number = 2  # For example our number is 2

# You can  Check the data type of 'number' with type()
print(type(number))  # Output:  

# We added number+ number so we can show the simple calculation. To show the difference between result with number and string
print(number + number)  # Output: 4 

# NOW CONVERT 'NUMBER' FROM AN INTEGER TO A STRING
number = str(number)  

# Check the new data type As it successfully converted to string
print(type(number))  # Output: 

# And now if we ad number+number it will not calculate instead it will place the character beside the character 
print(number + number)  # Output: 22





Also we can convert string to number! with int() and float()




number='2'  # This time we added the number inside quotation. so it becomes string
print(number)

print(number+number)
# It will print 22 


#Use int() to integer and float() to convert to float
number= int(number)

print(number+number)
# it will print 4 as it converted to integer number




Related Posts

Print with python f string format
July 3, 2024

We use make the python print more wonderful with f string (formatted string) x=1 y=2 z=x+y print(f’result {x}+{y}={z}’) Copy Code this will print We can make it more wonderful directly adding expression x=1 y=2 print(f'{x} times {y} is {x * y}’) Copy Code We can also set the decimal places in the print number = […]

Check if a key exist or not in a python dictionary
July 3, 2024

We can check it with “in” operator and “get()” method In operator here returns the value True or False For example dictionary={“one”:1, “two”:2} if “two” in dictionary: print(“two exist in the dictionary”) Copy Code The get() method returns the value if that key exists. If not exists it returns None dictionary_data={“one”:1, “two”:2} #Here the key […]

Find out median of a list with python
July 3, 2024

Python has wonderful built-in library “statistics” We can find out the median of a list with this library easily with less code import statistics List = [1,2,3,4,5,6,7,8,9,10] result= statistics.median(List) print(result) Copy Code We can also generate list randomly with random module List = [randint(1, 101) for _ in range(50)] this code create a list of […]