1# f-strings are short for formatted string like the following
2# you can use the formatted string by two diffrent ways
3# 1
4name = "John Smith"
5print(f"Hello, {name}") # output = Hello, John Smith
6
7# 2
8name = "John Smith"
9print("Hello, {}".format(name)) # output = Hello, John Smith
10
1>>> x = 13.949999999999999999
2>>> x
313.95
4>>> g = float("{:.2f}".format(x))
5>>> g
613.95
7>>> x == g
8True
9>>> h = round(x, 2)
10>>> h
1113.95
12>>> x == h
13True
1# Newer f-string format
2name = "Foo"
3age = 12
4print(f"Hello, My name is {name} and I'm {age} years old.")
5# output :
6# Hello, my name is Foo and I'm 12 years old.
1# There are 3 different types of formatting.
2>>> name = "John"
3>>> age = 19
4>>> language = "python"
5>>> print(f"{name} of age {age} programs in {language}") # Commonly used.
6John of age 19 programs in python
7>>> print("%s of age %d programs in %s" %(name, age, language)) # %s for str(), %d for int(), %f for float().
8John of age 19 programs in python
9>>> print("{} of age {} programs in {}".format(name, age, language)) # Values inside .format() will be placed inside curly braces repectively when no index is specified.
10John of age 19 programs in python
11>>> print("{2} of age {1} programs in {0}".format(name, age, language)) # Index can be specified inside of curly braces to switch the values from .format(val1, val2, val3).
12python of age 19 programs in John
1>>> 'Coordinates: {latitude}, {longitude}'.format(latitude='37.24N', longitude='-115.81W')
2'Coordinates: 37.24N, -115.81W'
3>>> coord = {'latitude': '37.24N', 'longitude': '-115.81W'}
4>>> 'Coordinates: {latitude}, {longitude}'.format(**coord)
5'Coordinates: 37.24N, -115.81W'
6