Inserting Values through executemany() method

The approach of this example is the same as before but instead of using cursor.mogrify() we use cursor.executemany() method. executemany() is slower compared to mogrify() method.

executemany(): 

It is used to Apply a database action (query or command) to all parameter tuples or mappings in the vars list sequence. The function is especially useful for database update instructions because it discards any result set produced by the query. The query’s parameters are bound using the same principles as the execute() function.

Syntax

executemany(query, variable_list)

Example:

Python3




# importing packages
import psycopg2
 
# forming connection
conn = psycopg2.connect(
    database="Classroom",
    user='postgres',
    password='pass',
    host='127.0.0.1',
    port='5432'
)
 
conn.autocommit = True
 
# creating a cursor
cursor = conn.cursor()
 
# list of rows to be inserted
values = [(17, 'rachel', 67), (18, 'ross', 79), (19, 'nick', 95)]
 
# executing the sql statement
cursor.executemany("INSERT INTO classroom VALUES(%s,%s,%s)", values)
 
# select statement to display output
sql1 = '''select * from classroom;'''
 
# executing sql statement
cursor.execute(sql1)
 
# fetching rows
for i in cursor.fetchall():
    print(i)
 
# committing changes
conn.commit()
 
# closing connection
conn.close()


Output:



Python Psycopg2 – Insert multiple rows with one query

This article is about inserting multiple rows in our table of a specified database with one query. There are multiple ways of executing this task, let’s see how we can do it from the below approaches.

Similar Reads

Method 1: Inserting Values through Naive method

In this method, we import the psycopg2 package and form a connection using the psycopg2.connect() method, we connect to the ‘Classroom’ database. after forming a connection we create a cursor using the connect().cursor() method, it’ll help us fetch rows. after that we execute the insert SQL statement, which is of the form :...

Method 2: Inserting Values through cursor.mogrify()

...

Method 3: Inserting Values through executemany() method

The code is the same as the previous example, but the difference is cursor.mogrify() method....