Clone down this repo and open its contents in VSCode. Then read through and follow the steps below.
One of two ways!
From within your terminal environment:
$ createdb library
Or
# launch the psql cli
$ psql
# create the db using a SQL command
> CREATE DATABASE library;
Look critically at each line of the provided schema.sql
file. Here's how one row breaks down...
id SERIAL PRIMARY KEY
id
: column name, how we will refer to this columnSERIAL
: the data type (similar to integer or string). It's a special datatype for unique identifier columns, which the db auto-increments.PRIMARY KEY
: a special constraint which indicates a unique identifier for each row
Take a few minutes to research the other rows.
Load the schema into your database from the command line...
$ psql -d library < schema.sql
This command is also run from your Bash prompt -- not inside
psql
We've provided a sql file that adds sample data into our library
database.
Load that in so we can practice interacting with our data. Make sure to also look at its contents and see how authors and books are related.
$ psql -d library < seed.sql
CRUD stands for the most basic interactions we want to have with any database: Create, Read, Update and Destroy.
The most common SQL commands correspond to these 4 actions...
INSERT
-> Create a rowSELECT
-> Read / get information for rowsUPDATE
-> Update a rowDELETE
-> Destroy a row
First, enter into the library DB...
$ psql
$ \c library
INSERT
adds a row to a table...
INSERT INTO authors(name, nationality, birth_year) VALUES ('Adam Bray', 'United States of America', 1985);
SELECT
returns rows from a table...
-- select all columns from all rows
SELECT * FROM authors;
-- select only some columns, from all rows
SELECT name, birth_year FROM authors;
-- select rows that meet certain criteria
SELECT * FROM authors WHERE name = 'James Baldwin';
UPDATE
updates values for one or more rows...
UPDATE authors SET name = 'Adam B.', birth_year = 1986 WHERE name = 'Adam Bray';
DELETE
removes rows from a table...
DELETE FROM authors WHERE name = 'Adam B.';
End of
You Do: Building Our Database
There are two exercises:
- Basic Queries - SELECT, INSERT, UPDATE, DELETE
- Advanced Queries - JOINS
For each exercise, write your queries in the corresponding .sql file. Then run the file using the terminal:
$ psql -d library < basic_queries.sql