Installing MySQL Server and MySQL Connector/Python |
Installing MySQL Server
download and run the installer from MySQL.comnote the hostname, username, and password as these will be required to establish a connection with the MySQL server Installing MySQL Connector/Python
it is recommended the connector should be installed in a project's virtual environmentusing command prompt create a folder for the project and navigate to that folder create a virtual environment in the folder using py -m venv <venv name>activate the venv using <venv name>\Scripts\activatethe new prompt will be something like (<venv name>)\<folder path>>in my case (venv) E:\python\mysqltest>install the connector using pip install mysql-connector-python |
Establishing a Connection With MySQL Server |
workflow of a Python program that interacts with a MySQL-based database
Establishing a Connection
use connect() from the mysql.connector modulefunction takes in parameters like host, user, and password and returns a MySQLConnection object can receive these credentials as input from the user and pass them to connect() from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), ) as connection: print(connection) except Error as e: print(e)should always handle exceptions which might be raised while attempting the connection should always close the connection when done above the context manager will close the connection should never hard-code your login credentials Creating a New Database
to create a new database need to execute an SQL statement
CREATE DATABASE books_db;to execute a SQL query in Python, need to use a cursor cursor abstracts away the access to database records MySQL Connector/Python provides the MySQLCursor class MySQLCursor object instantiates objects that can execute MySQL queries in Python an instance of the MySQLCursor class is also called a cursor cursor = connection.cursor()to create a database from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), ) as connection: create_db_query = "CREATE DATABASE online_movie_rating" with connection.cursor() as cursor: cursor.execute(create_db_query) except Error as e: print(e)closing the cursor is done by its context manager can display the name of all databases in the server use the MySQLConnection object to execute the SHOW DATABASES statement >>> show_db_query = "SHOW DATABASES" >>> with connection.cursor() as cursor: ... cursor.execute(show_db_query) ... for db in cursor: ... print(db) ... ('information_schema',) ('mysql',) ('online_movie_rating',) ('performance_schema',) ('sys',) Connecting to an Existing Database
the connect function can take a database name as a parameter named database
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating", ) as connection: print(connection) except Error as e: print(e) |
Creating, Altering, and Dropping a Table |
Defining the Database Schema
start by creating a database schema for an online movie rating systemthe database will consist of three tables
Creating Tables Using the CREATE TABLE Statement
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: create_movies_table_query = """ CREATE TABLE movies( id INT AUTO_INCREMENT PRIMARY KEY, title VARCHAR(100), release_year YEAR(4), genre VARCHAR(100), collection_in_mil INT) """ create_reviewers_table_query = """ CREATE TABLE reviewers ( id INT AUTO_INCREMENT PRIMARY KEY, first_name VARCHAR(100), last_name VARCHAR(100) ) """ create_ratings_table_query = """ CREATE TABLE ratings ( movie_id INT, reviewer_id INT, rating DECIMAL(2,1), FOREIGN KEY(movie_id) REFERENCES movies(id), FOREIGN KEY(reviewer_id) REFERENCES reviewers(id), PRIMARY KEY(movie_id, reviewer_id) ) """ with connection.cursor() as cursor: cursor.execute(create_movies_table_query) cursor.execute(create_reviewers_table_query) cursor.execute(create_ratings_table_query) connection.commit() except Error as e: print(e)the implementation of foreign key relationships in MySQL is slightly different and limited as compared to the standard SQL in MySQL both the parent and the child in the foreign key constraint must use the same storage engine a storage engine is the underlying software component that a DBMS uses for performing SQL operations MySQL use two storage engines
Showing a Table Schema Using the DESCRIBE Statement
can look at a table's schema using
DESCRIBE <table_name>to get some results back from the cursor object, need to use cursor.fetchall() method fetches all rows from the last executed statement from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: show_table_query = "DESCRIBE movies" with connection.cursor() as cursor: cursor.execute(show_table_query) # Fetch rows from last executed query result = cursor.fetchall() for row in result: print(row) except Error as e: print(e) Modifying a Table Schema Using the ALTER Statement
in the movies table the column named collection_in_mil contains a movie's box office collection
in millions of dollarscan write the following MySQL statement to modify the data type of collection_in_mil attribute from INT to DECIMAL ALTER TABLE movies MODIFY COLUMN collection_in_mil DECIMAL(4,1);alter the table from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: alter_table_query = 'ALTER TABLE movies MODIFY COLUMN collection_in_mil DECIMAL(4,1)' show_table_query = "DESCRIBE movies" with connection.cursor() as cursor: cursor.execute(alter_table_query) cursor.execute(show_table_query) # Fetch rows from last executed query result = cursor.fetchall() print("Movie Table Schema after alteration:") for row in result: print(row) except Error as e: print(e) Deleting Tables Using the DROP Statement
to delete a table need to execute the DROP TABLE statement in MySQLdeleting a table is an irreversible process if the code below is executed then need to call the CREATE TABLE query again to use the ratings table in the upcoming sections to delete the ratings table, send drop_table_query to cursor.execute() drop_table_query = "DROP TABLE ratings" with connection.cursor() as cursor: cursor.execute(drop_table_query) |
Inserting Records in Tables |
two different ways to insert records
Using .execute()
write the INSERT INTO query in a string and pass it to cursor.execute()
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: insert_movies_query = """ INSERT INTO movies (title, release_year, genre, collection_in_mil) VALUES ("Forrest Gump", 1994, "Drama", 330.2), ("3 Idiots", 2009, "Drama", 2.4), ("Eternal Sunshine of the Spotless Mind", 2004, "Drama", 34.5), ("Good Will Hunting", 1997, "Drama", 138.1), ("Skyfall", 2012, "Action", 304.6), ("Gladiator", 2000, "Action", 188.7), ("Black", 2005, "Drama", 3.0), ("Titanic", 1997, "Romance", 659.2), ("The Shawshank Redemption", 1994, "Drama",28.4), ("Udaan", 2010, "Drama", 1.5), ("Home Alone", 1990, "Comedy", 286.9), ("Casablanca", 1942, "Romance", 1.0), ("Avengers: Endgame", 2019, "Action", 858.8), ("Night of the Living Dead", 1968, "Horror", 2.5), ("The Godfather", 1972, "Crime", 135.6), ("Haider", 2014, "Action", 4.2), ("Inception", 2010, "Adventure", 293.7), ("Evil", 2003, "Horror", 1.3), ("Toy Story 4", 2019, "Animation", 434.9), ("Air Force One", 1997, "Drama", 138.1), ("The Dark Knight", 2008, "Action",535.4), ("Bhaag Milkha Bhaag", 2013, "Sport", 4.1), ("The Lion King", 1994, "Animation", 423.6),movies_insert_many ("Pulp Fiction", 1994, "Crime", 108.8), ("Kai Po Che", 2013, "Sport", 6.0), ("Beasts of No Nation", 2015, "War", 1.4), ("Andadhun", 2018, "Thriller", 2.9), ("The Silence of the Lambs", 1991, "Crime", 68.2), ("Deadpool", 2016, "Action", 363.6), ("Drishyam", 2015, "Mystery", 3.0) """ with connection.cursor() as cursor: cursor.execute(insert_movies_query) connection.commit() except Error as e: print(e) Using .executemany()
often have this data stored in some other file, or the data will be generated by a different scriptdata will need to be added to the MySQL database .executemany() takes two arguments
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: insert_reviewers_query = """ INSERT INTO reviewers (first_name, last_name) VALUES ( %s, %s ) """ reviewers_records = [ ("Chaitanya", "Baweja"), ("Mary", "Cooper"), ("John", "Wayne"), ("Thomas", "Stoneman"), ("Penny", "Hofstadter"), ("Mitchell", "Marsh"), ("Wyatt", "Skaggs"), ("Andre", "Veiga"), ("Sheldon", "Cooper"), ("Kimbra", "Masters"), ("Kat", "Dennings"), ("Bruce", "Wayne"), ("Domingo", "Cortes"), ("Rajesh", "Koothrappali"), ("Ben", "Glocker"), ("Mahinder", "Dhoni"), ("Akbar", "Khan"), ("Howard", "Wolowitz"), ("Pinkie", "Petit"), ("Gurkaran", "Singh"), ("Amy", "Farah Fowler"), ("Marlon", "Crafford"),] with connection.cursor() as cursor: cursor.executemany(insert_reviewers_query, reviewers_records) connection.commit() except Error as e: print(e)The code uses %s as a placeholder for the two strings that had to be inserted in the insert_reviewers_query placeholders act as format specifiers and help reserve a spot for a variable inside a string the specified variable is then added to this spot during execution can similarly use .executemany() to insert records in the ratings table from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: insert_ratings_query = """ INSERT INTO ratings (rating, movie_id, reviewer_id) VALUES ( %s, %s, %s) """ ratings_records = [ (6.4, 17, 5), (5.6, 19, 1), (6.3, 22, 14), (5.1, 21, 17), (5.0, 5, 5), (6.5, 21, 5), (8.5, 30, 13), (9.7, 6, 4), (8.5, 24, 12), (9.9, 14, 9), (8.7, 26, 14), (9.9, 6, 10), (5.1, 30, 6), (5.4, 18, 16), (6.2, 6, 20), (7.3, 21, 19), (8.1, 17, 18), (5.0, 7, 2), (9.8, 23, 3), (8.0, 22, 9), (8.5, 11, 13), (5.0, 5, 11), (5.7, 8, 2), (7.6, 25, 19), (5.2, 18, 15), (9.7, 13, 3), (5.8, 18, 8), (5.8, 30, 15), (8.4, 21, 18), (6.2, 23, 16), (7.0, 10, 18), (9.5, 30, 20), (8.9, 3, 19), (6.4, 12, 2), (7.8, 12, 22), (9.9, 15, 13), (7.5, 20, 17), (9.0, 25, 6), (8.5, 23, 2), (5.3, 30, 17), (6.4, 5, 10), (8.1, 5, 21), (5.7, 22, 1), (6.3, 28, 4), (9.8, 13, 1)] with connection.cursor() as cursor: cursor.executemany(insert_ratings_query, ratings_records) connection.commit() except Error as e: print(e) |
Reading Records From the Database |
Reading Records Using the SELECT Statement
to retrieve records use a SELECT query as an arg to cursor.execute()then use cursor.fetchall() to extract the retrieved table in the form of a list of rows or records query to select all records from the movies table from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = "SELECT * FROM movies LIMIT 5" with connection.cursor() as cursor: cursor.execute(select_movies_query) result = cursor.fetchall() for row in result: print(row) except Error as e: print(e)above the LIMIT clause is used to constrain the number of rows that are received from the SELECT statement the LIMIT clause takes one or two nonnegative numeric arguments when using one argument it specifies the maximum number of rows to return when using both arguments cano specify the offset of the first row to return SELECT * FROM movies LIMIT 2,5;the first argument specifies an offset of 2 the second argument constrains the number of returned rows to 5 the above query will return rows 3 to 7 can query for selected columns from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = "SELECT title, release_year FROM movies LIMIT 5" with connection.cursor() as cursor: cursor.execute(select_movies_query) for row in cursor.fetchall(): print(row) except Error as e: print(e) Filtering Results Using the WHERE Clause
can filter table records by specific criteria using the WHERE clauseto retrieve all movies with a box office collection greater than $300 million run the following query SELECT title, collection_in_mil FROM movies WHERE collection_in_mil > 300;can also use ORDER BY clause in the last query to sort the results from the highest to the lowest earner from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT title, collection_in_mil FROM movies WHERE collection_in_mil > 300 ORDER BY collection_in_mil DESC """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchall(): print(movie) except Error as e: print(e)use CONCAT for concatenating strings from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT CONCAT(title, " (", release_year, ")"), collection_in_mil FROM movies ORDER BY collection_in_mil DESC LIMIT 5 """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchall(): print(movie) except Error as e: print(e)the cursor object has .fetchone() and .fetchmany() methods
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT CONCAT(title, " (", release_year, ")"), collection_in_mil FROM movies ORDER BY collection_in_mil DESC """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchmany(size=5): print(movie) cursor.fetchall() except Error as e: print(e)the additional cursor.fetchall() call at the end is done to clean all the remaining results that weren't read by .fetchmany() it's necessary to clean all unread results before executing any other statements on the same connection otherwise an InternalError: Unread result found exception will be raised |
Handling Multiple Tables Using the JOIN Statement |
want to find out the name of the top five highest-rated movies in your database then can run the following query
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT title, AVG(rating) as average_rating FROM ratings INNER JOIN movies ON movies.id = ratings.movie_id GROUP BY movie_id ORDER BY average_rating DESC LIMIT 5 """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchall(): print(movie) except Error as e: print(e)to find the name of the reviewer who gave the most ratings use the following query from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT CONCAT(first_name, " ", last_name), COUNT(*) as num FROM reviewers INNER JOIN ratings ON reviewers.id = ratings.reviewer_id GROUP BY reviewer_id ORDER BY num DESC LIMIT 1 """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchall(): print(movie) except Error as e: print(e) |
Updating and Deleting Records From the Database |
UPDATE Command
for updating records MySQL uses the UPDATE statement
from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: update_query = """ UPDATE reviewers SET last_name = "Cooper" WHERE first_name = "Amy" """ with connection.cursor() as cursor: cursor.execute(update_query) connection.commit() except Error as e: print(e)updating record using a WHERE statement from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: update_query = """ UPDATE ratings SET rating = 5.0 WHERE movie_id = 18 AND reviewer_id = 15; """ check_query = ''' SELECT * FROM ratings WHERE movie_id = 18 AND reviewer_id = 15;''' with connection.cursor() as cursor: cursor.execute(update_query) connection.commit() with connection.cursor() as cursor: cursor.execute(check_query) result = cursor.fetchall() for row in result: print(row) except Error as e: print(e)the above code uses %s placeholders to insert the received input in the update_query string multiple queries inside a single query string to pass multiple queries to a single cursor.execute() need to set the method's multi argument to True if multi is True, then cursor.execute() returns an iterator each item in the iterator corresponds to a cursor object that executes a statement passed in the query the above code runs a for loop on this iterator and then calls .fetchall() on each cursor object if no result set is fetched on an operation, then .fetchall() raises an exception to avoid this error, in the code above you use the cursor.with_rows property indicates whether the most recently executed operation produced rows the WHERE clause is a prime target for web hackers in its current state vulnerable to a SQL injection attack a hacker might send a hidden command in the input $ python modify_ratings.py Enter movie id: 18 Enter reviewer id: 15"; UPDATE reviewers SET last_name = "A Enter new rating: 5.0 Enter username: <user_name> Enter password: [(18, 15, Decimal('5.0'))]the UPDATE changes all of the last_name of all reviwers to 'A' to prevent such attacks don't add the query values provided by the user directly to the query string from getpass import getpass from mysql.connector import connect, Error movie_id = input("Enter movie id: ") reviewer_id = input("Enter reviewer id: ") new_rating = input("Enter new rating: ") update_query = """ UPDATE ratings SET rating = %s WHERE movie_id = %s AND reviewer_id = %s; SELECT * FROM ratings WHERE movie_id = %s AND reviewer_id = %s """ val_tuple = ( new_rating, movie_id, reviewer_id, movie_id, reviewer_id, ) try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating", ) as connection: with connection.cursor() as cursor: for result in cursor.execute(update_query, val_tuple, multi=True): if result.with_rows: print(result.fetchall()) connection.commit() except Error as e: print(e)the %s placeholders are no longer in string quotes strings passed to the placeholders might contain some special characters if necessary these can be correctly escaped by the underlying library cursor.execute() makes sure that the values in the tuple received as argument are of the required data type if a user tries to sneak in some problematic characters, then the code will raise an exception $ python modify_ratings.py Enter movie id: 18 Enter reviewer id: 15"; UPDATE reviewers SET last_name = "A Enter new rating: 5.0 Enter username: DELETE Command
Deleting is an irreversible processit's recommended to first run a SELECT query with the same filter to make sure what's being deleting will be the right records to remove all ratings given by reviewer_id = 2, should first run the corresponding SELECT query from getpass import getpass from mysql.connector import connect, Error try: with connect( host="localhost", user=input("Enter username: "), password=getpass("Enter password: "), database="online_movie_rating" ) as connection: select_movies_query = """ SELECT reviewer_id, movie_id FROM ratings WHERE reviewer_id = 2 """ with connection.cursor() as cursor: cursor.execute(select_movies_query) for movie in cursor.fetchall(): print(movie) except Error as e: print(e)after confirming these are the records to be deleted, can run a DELETE query with the same filter delete_query = "DELETE FROM ratings WHERE reviewer_id = 2" with connection.cursor() as cursor: cursor.execute(delete_query) connection.commit() |
Other Ways to Connect Python and MySQL |
there are two other popular connectors
an ORM library encapsulates the code needed to manipulate data, eliminating the need to use even a tiny bit of SQL the most popular Python ORMs for SQL-based databases
|