# variable of type string
name = "Quinn"
print("name", name, type(name))

# variable of type integer
age = 16
print("age", age, type(age))

# variable of type float
Weight = 169
print("Weight", Weight, type(Weight))


# variable of type list (many values in one variable)
langs = ["Python", "JavaScript", "Java", "bash"]
print("langs", langs, type(langs))
print("- langs[0]", langs[0], type(langs[0]))


# variable of type dictionary (a group of keys and values)
person = {
    "name": name,
    "age": age,
    "Weight": weight,
}
print("person", person, type(person))
print('-person["name"]', person["name"], type(person["name"]))
InfoDb = []

# Append to List a Dictionary of key/values related to a person and cars
InfoDb.append({
    "FirstName": "Quinn",
    "LastName": "Bireley",
    "DOB": "July 22",
    "Residence": "San Diego",
    "Email": "quinnbireley@gmail.com",
    "Height": "5'11",
})


# Print the data structure
print(InfoDb)
def print_data(d_rec):
    print(d_rec["FirstName"], d_rec["LastName"])  # using comma puts space between values
    print("\t", "Residence:", d_rec["Residence"]) # \t is a tab indent
    print("\t", "Birth Day:", d_rec["DOB"])
    print("\t", "Height: 169", end="")  # end="" make sure no return occurs



# for loop iterates on length of InfoDb
def for_loop():
    print("For loop output\n")
    for record in InfoDb:
        print_data(record)

for_loop()
def while_loop():
    print("While loop output\n")
    i = 0
    while i < len(InfoDb):
        record = InfoDb[i]
        print_data(record)
        i += 1
    return

while_loop()
def recursive_loop(i):
    if i < len(InfoDb):
        record = InfoDb[i]
        print_data(record)
        recursive_loop(i + 1)
    return
    
print("Recursive loop output\n")
recursive_loop(0)