[Ctrl J]
[Ctrl K]
light/dark
mysql -u root -p// databaseshow databases; //list available databasesCREATE DATABASE <name>DROP DATABASE <name>USE <name>SELECT database(); // return the current db
// data typesThere are numeric types, string types, date typesint: a whole number with a max (signed) value of 2147483647 = 2^32 - 1varchar: a variable-length stringvarchar(100): specify a maximum of characters allowed
// show tablesSHOW TABLES;SHOW COLUMNS FROM <name>;DESC <name> or DESCRIBE <name>// drop tablesDROP TABLE <name>-- This is a comment
// insert dataINSERT INTO cats(name, age)VALUES ("Jetson", 7);// pay attention to the name of the table and the order of the variables, you can switch the order of the variables but make sure the values follow that order to.select * from cats;// multi insertsINSERT INTO cats(name, age) values("Beth", 3), ("Turkey", 1), ("Ugly", 11);
// null = YES means null is permitted, null = no value, unknownname varchar(40) NOT NULL // null is not permitted
// quotation marks in sql// in mysql, you could use "" or ''// in other flavors of sql, you couldn't// good practice to use ''INSERT INTO shops (name) values ('mario\'s pizza');// use backslash to use quotation mark inside a piece of text// if you use double quote inside single quote, you do not have to use escapeINSERT INTO shops (name) values ('she said "haha"');
// default valuesname VARCHAR(50) DEFAULT "unnamed"name VARCHAR(50) NOT NULL DEFAULT 'unnamed' // this means that name cannot be empty, if there is not value specify then set it to default// we can still manually set things to nullINSERT INTO cats(name, age) VALUES (NULL, NULL)
// primary key = unique identifiercat_id INT NOT NULL PRIMARY KEY,cat_id INT NOT NULL// PRIMARY KEYs cannot be NULL so specify NOT NULL is redundant// AUTO_INCREMENTcat_id INT AUTO_INCREMENT,PRIMARY KEY (cat_id),
// CRUD// READSELECT * FROM <table>SELECT name FROM <table>SELECT name, age FROM <table>// WHERE clause// aliases - easier to readSELECT cat_id as id from cats;// UPDATEUPDATE <table> SET breed = 'shorthair' WHERE breed = 'Tabby';// a good rule of thumb// select before update// DELETEDELETE FROM <table> WHERE name = 'egg';DELETE FROM <table> // empty out the table, table still exists
// string functions// concatSELECT CONCAT(x, y, z) from <table>;SELECT CONCAT_WS(' ', x, y, z) as foo_bar from <table>;// substringSELECT SUBSTRING('Hello World', 1, 5); // 1 is the starting index, 5 is the lengthSELECT SUBSTR(); // same a substringSELECT CONCAT (SUBSTRING(title, 1, 10), '...') AS 'short title' FROM books;// replaceSELECT REPLACE(title, ' ', '-') FROM books;// reverseSELECT REVERSE(author_fname) FROM books;SELECT CHAR_LENGTH('Hello World');// upper and lowerSELECT CONCAT('MY FAVORITE BOOK IS ', UPPER(title)) FROM books;SELECT CONCAT('MY FAVORITE BOOK IS ', LOWER(title)) FROM books;// othersSELECT INSERT('Hello Bobby', 6, 0, 'There');SELECT LEFT('omghahalol!', 3);SELECT RIGHT('omghahalol!', 4);SELECT REPEAT('ha', 4);SELECT TRIM(' pickle ');
// refining selectionSELECT DISTINCT author_lname FROM books;// order bySELECT * FROM books ORDER BY author_lname;SELECT book_id, author_fname, author_lname, pages FROM books ORDER BY author_lname, author_fname;// limitSELECT * FROM books LIMIT 1;// likeSELECT title, author_fname, author_lname, pages FROM books WHERE author_fname LIKE '%da%';SELECT * FROM books WHERE title LIKE '%\%%';
// aggregate functionsSELECT COUNT(*) FROM books;// group bySELECT author_lname, COUNT(*) FROM books GROUP BY author_lname;// min and maxSELECT MAX(pages) FROM books;// subqueriesSELECT title, released_year FROM books WHERE released_year = (SELECT MIN(released_year) FROM books);SELECT author_fname, author_lname, COUNT(*) FROM books GROUP BY author_lname, author_fname;SELECT author_lname, MIN(released_year) FROM books GROUP BY author_lname;// sumSELECT SUM(pages) FROM books;// avgSELECT AVG(pages) FROM books;
// more on data types
// comparisons and logical operatorsSELECT * FROM books WHERE released_year != 2017;SELECT * FROM books WHERE title NOT LIKE '%e%';SELECT * FROM books WHERE released_year > 2005;SELECT title, author_lname, released_year FROM books WHERE released_year > 2010 AND author_lname = 'Eggers';SELECT title, pages FROM books WHERE pages < 200 OR title LIKE '%stories%';SELECT title, released_year FROM books WHERE released_year BETWEEN 2004 AND 2014;// comparing datesSELECT * FROM people WHERE HOUR(birthtime) BETWEEN 12 AND 16;// inSELECT title, author_lname FROM books WHERE author_lname IN ('Carver', 'Lahiri', 'Smith');// caseSELECT title, released_year,CASEWHEN released_year >= 2000 THEN 'modern lit'ELSE '20th century lit'END AS genreFROM books;SELECT * FROM books WHERE author_lname IS NULL;
constraints and alter table// uniqueCREATE TABLE contacts (name VARCHAR(100) NOT NULL,phone VARCHAR(15) NOT NULL UNIQUE);// named constraintsCREATE TABLE users2 (username VARCHAR(20) NOT NULL,age INT,CONSTRAINT age_not_negative CHECK (age >= 0));CREATE TABLE companies (name VARCHAR(255) NOT NULL,address VARCHAR(255) NOT NULL,CONSTRAINT name_address UNIQUE (name , address));// altar tableALTER TABLE companiesADD COLUMN phone VARCHAR(15);ALTER TABLE companies DROP COLUMN phone;RENAME TABLE companies to suppliers;ALTER TABLE companies MODIFY company_name VARCHAR(100) DEFAULT 'unknown';
// one to many and joinsone to oneone to manymany to many// one to manyCREATE TABLE customers (id INT PRIMARY KEY AUTO_INCREMENT,first_name VARCHAR(50),last_name VARCHAR(50),email VARCHAR(50));CREATE TABLE orders (id INT PRIMARY KEY AUTO_INCREMENT,order_date DATE,amount DECIMAL(8,2),customer_id INT,FOREIGN KEY (customer_id) REFERENCES customers(id));
// cross join gives all possible combinationsSELECT * FROM ordersWHERE customer_id = (SELECT id FROM customers WHERE last_name = 'George');// INNER JOIN combines two tables by matching specified columns in both tables and only returns the rows where there are matching values in both tablesSELECT * FROM customers JOIN orders ON orders.customer_id = customers.id;SELECTfirst_name, last_name, SUM(amount) AS totalFROMcustomersJOINorders ON orders.customer_id = customers.idGROUP BY first_name , last_nameORDER BY total;// LEFT JOIN returns all rows from the left (first) table and the matching rows from the right (second) table, with NULL values for the right tables columns if there are no matches,SELECTfirst_name, last_name, order_date, amountFROMcustomersLEFT JOINorders ON orders.customer_id = customers.id;// RIGHT JOINSELECTfirst_name, last_name, order_date, amountFROMcustomersRIGHT JOINorders ON customers.id = orders.customer_id;// on delete cascadeFOREIGN KEY (customer_id) REFERENCES customers (id) ON DELETE CASCADE,
// join exampleCREATE TABLE students (id INT PRIMARY KEY AUTO_INCREMENT,first_name VARCHAR(50));CREATE TABLE papers (title VARCHAR(50),grade INT,student_id INT,FOREIGN KEY (student_id)REFERENCES students (id));// inner joinSELECTfirst_name, title, gradeFROMstudentsJOINpapers ON papers.student_id = students.idORDER BY grade DESC;// left joinSELECTfirst_name, title, gradeFROMstudentsLEFT JOINpapers ON papers.student_id = students.id;// left joinSELECTfirst_name, IFNULL(title, 'MISSING'), IFNULL(grade, 0)FROMstudentsLEFT JOINpapers ON papers.student_id = students.id;// left joinSELECTfirst_name, IFNULL(AVG(grade), 0) AS averageFROMstudentsLEFT JOINpapers ON students.id = papers.student_idGROUP BY first_nameORDER BY average DESC;// left joinSELECTfirst_name,IFNULL(AVG(grade), 0) AS average,CASEWHEN IFNULL(AVG(grade), 0) >= 75 THEN 'passing'ELSE 'failing'END AS passing_statusFROMstudentsLEFT JOINpapers ON students.id = papers.student_idGROUP BY first_nameORDER BY average DESC;
// many to manyMany-to-Many Relationship Key Points:Always use a junction/mapping tableJunction table has foreign keys to main tables
// viewsviews are some queries that we can name and storeCREATE VIEW full_review AS ... some querySELECT * FROM full_reviews;// cannot delete from views// some views are insertable// to alter viewsALTER VIEW ordered_series ASSELECT * FROM series ORDER BY released_year;// having filters our groups that we create with group bySELECT * from reviews GROUP BY something HAVING condition// roll up Creates subtotals for each group, Adds a grand total row, NULL values indicate subtotal/total rows// modes?????????????????????????????
// window functions perform aggregate operations on group of rows, but they produce a result FOR EACH ROW// window functions allow us to look at aggregate info along side indidual rows// overavg(salary) over() // the over() clause constructs a window. when it is empty, the window will include all records.AVG(salary) OVER(PARTITION BY department); // inside of the over() use PARTITION BY to form rows into group of rowSELECT emp_no, department, salary, AVG(salary) OVER(partition by department) FROM employees;// order by with windows re-order rows within each windowORDER BY in a window creates a rolling resultSUM(salary) OVER(PARTITION BY department ORDER BY salary) AS rolling_dept_salary// ONLY WINDOW FUNCTIONS// RANKselect department, salary, rank() over(order by salary desc) as overall_salary_rank from employees;// dense_rank and row_number?????????????????// NTILEbreak up a window into a diffrent buckets and for each value, you tell me which bucket we land in.NTILE(4) OVER(PARTITION BY department ORDER BY salary DESC) AS dept_salary_quartile,// first value, last value, nth_valueFIRST_VALUE(emp_no) OVER(PARTITION BY department ORDER BY salary DESC) as highest_paid_dept,// lead and lag used to make some comparison between rowssalary - LAG(salary) OVER(ORDER BY salary DESC) as salary_diff