cor1 =('physics', 'chemistry', 1997, 2000)
cor2 =(1,2,3,4,5)
cor3 ="a","b","c","d"
cor1 = () # С помощью указания пустых скобок
cor2 = tuple() # С помощью встроенной функции tuple()
cor1 =(50,)
print(cor1[0])
# выведет 50
cor1 = ('physics', 'chemistry', 1997, 2000)
cor2 = (1, 2, 3, 4, 5, 6, 7 )
print("cor1[0]: ", cor1[0])
print("cor2[1:5]: ", cor2[1:5])
input()
#выведет: cor1[0]: physics
#выведет: cor2[1:5]: (2, 3, 4, 5)
cor1 = (12, 34.56)
cor2 = ('abc', 'xyz')
# Создадим новый кортеж следующим образом
cor3 = cor1 + cor2
print(cor3)
input()
#выведет: (12, 34.56, 'abc', 'xyz')
cor = ('physics', 'chemistry', 1997, 2000)
print(cor)
del cor
print("After deleting cor : ")
print(cor)
# будет выведено
Traceback (most recent call last):
('physics', 'chemistry', 1997, 2000)
File "C:/Users/root/Desktop/untitled/index.py", line 8, in
After deleting cor :
print(cor)
NameError: name 'cor' is not defined
# С помощью цикла for:
user = ("Tom", 22, False)
for item in user:
print(item)
input()
# будет выведено:
Tom
22
False
# С помощью цикла while:
user = ("Tom", 22, False)
i = 0
while i < len(user):
print(user[i])
i += 1
input()
# будет выведено:
Tom
22
False
cars = ("Nissan", "Audi")
print("Сейчас у вас ", len(cars), " автомобилей")
input()
# выведет: Сейчас у вас 2 автомобилей
cars = ("Nissan", "Audi")
if "Nissan" in cars:
print("В вашем гараже есть Nissan")
input()
# выведет: В вашем гараже есть Nissan
countries = (
("Germany", 80.2, (("Berlin",3.326), ("Hamburg", 1.718))),
("France", 66, (("Paris", 2.2),("Marsel", 1.6)))
)
for country in countries:
countryName, countryPopulation, cities = country
print("\nCountry: {} population: {}".format(countryName, countryPopulation))
for city in cities:
cityName, cityPopulation = city
print("City: {} population: {}".format(cityName, cityPopulation))
input()
# будет выведено:
Country: Germany population: 80.2
City: Berlin population: 3.326
City: Hamburg population: 1.718
Country: France population: 66
City: Paris population: 2.2
City: Marsel population: 1.6