# The insert() method inserts an element to the list
# at a given index.
# Syntax: list_name.insert(index, element)
my_list = ["Add", "Answer"]
my_list.insert(1, "Grepper")
print (my_list)
> ['Add', 'Grepper', 'Answer']
a = [1,2,3,4,5]
#a.insert(index_to_insert_at, num_to_insert)
a.insert(0, -1)
# a is now: [-1,1,2,3,4,5]
import sqlite3
# python data insert
conn = sqlite3.connect('TestDB.db')
name=input("enter your name
")
conutryID=int(input("enter your country id
"))
sql = f''' INSERT INTO CLIENTS(Client_Name,Country_ID,Date)
VALUES('{name}',"{conutryID}","30/3/2022") '''
conn.execute(sql)
conn.commit()
conn.close()
# insert method places an element at an index you specify
foo = [1, 2, 3, 4]
foo.insert(1, 0.5)
print(foo)
# Output - [1, 0.5, 2, 3, 4]
list_of_names = ["John", "Mike"]
print(list_of_names)
list_of_names.insert(0,"Amy") #insert Amy as the first item, at index 0
print(list_of_names)
list_of_names.insert(2,"Mario") #insert Mario as the third item, at index 2
print(list_of_names)
#['John', 'Mike']
#['Amy', 'John', 'Mike']
#['Amy', 'John', 'Mario', 'Mike']