Chapter 2: Variables and data types Flashcards
create a variable and print the message that assigns a function to capitalize the first letter of each word
name = ‘ada lovelace’
print(name.title())
define: method in python
an action that python can perform on a piece of data
print a variable as all uppercase and all lowercase
name = ‘ada lovelace’
print(name.upper())
print(name.lower())
print a variable but only the first letter of the string should be uppercase
name = ‘ada lovelace’
print(name.capitalize())
print a first name and last name as separate variables, then combine them to make a complete name. also, make sure the first letters are capitalized
first_name = ‘ada’
last_name = ‘lovelace’
full_name = f”{first_name} {last_name}”
print(full_name.title())
what is the f in f”{first_name} {last_name}”, and what does it do?
the f means format. python uses the f to format the strings by replacing the variable name in the braces with the variable’s value
print out a string using the f-string, make sure the name is capitalized
print(f”Hello, {full_name.title()}”)
assign a f-string to a variable and print that variable out
message = f”Hello, {full_name.title()}”
print(message)
use the format method to create what is essentially this full_name = f”{first_name} {last_name}”
full_name = “{} {}”.format(first_name, last_name)
what is whitespace?
any nonprinting character, such as spaces, tabs, or end-of-line-symbols
add a tab to a string you want to print
print(“\tpython”)
add new lines to a string that has multiple items
print(“languages:\nPython\nC++\nJS”)
combine tabs and newlines
print(“languages:\n\tPython\n\tC++\n\tJS”)
print a variable that has extra whitespace on the right side and get rid of it
program = ‘python ‘
print(program.rstrip())
permanently delete white space by adding rstrip() to the variable
program = 'python ' program = program.rstrip()
make additional variables with extra whitespace on both sides
.rstrip(), .lstrip(), .strip()
why is it better to use double quotes instead of single quotes for strings?
it is better to use double quotes since you can use apostrophes. in a single quote, you can’t use apostrophes since python wouldn’t know where the string ends
add subtract, divide, and multiply integers
print(1+1)
print(2-1)
print(1*2)
print(15/3)
what in python represents an exponent
two of * or **
use an exponent to square several numbers
print(2**2)
what is the name of any number with a decimal in python
a Float
assign multiple numbers to multiple variables using a single line
x, y, z = 0, 0, 0
what is a constant in python
a variable whose value stays the same throughout the life of the program
how is a constant written
all caps, MAX_CONNECTIONS = 5000
Use a variable to represent your favorite number. Then, using using another variable, create a message that reveals your favorite number. Print that message.
fav_num = 42 msg = f"My favorite number is {fav_num}."
print(msg)