db_id
stringlengths 4
28
| question
stringlengths 24
325
| evidence
stringlengths 0
673
| SQL
stringlengths 23
804
| schema
stringlengths 352
37.3k
|
---|---|---|---|---|
language_corpus | Show all the title of pages and number of occurences for each page where the word 'quipu' appears. | word 'quipu' appears refers to word = 'quipu' | SELECT T1.title, T2.occurrences FROM pages AS T1 INNER JOIN pages_words AS T2 ON T1.pid = T2.pid INNER JOIN words AS T3 ON T2.wid = T3.wid WHERE T3.word = 'quipu' | CREATE TABLE langs(lid INTEGER PRIMARY KEY AUTOINCREMENT,
lang TEXT UNIQUE,
locale TEXT UNIQUE,
pages INTEGER DEFAULT 0, -- total pages in this language
words INTEGER DEFAULT 0);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE pages(pid INTEGER PRIMARY KEY AUTOINCREMENT,
lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
page INTEGER DEFAULT NULL, -- wikipedia page id
revision INTEGER DEFAULT NULL, -- wikipedia revision page id
title TEXT,
words INTEGER DEFAULT 0, -- number of different words in this page
UNIQUE(lid,page,title));
CREATE TRIGGER ins_page AFTER INSERT ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_page AFTER DELETE ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages-1 WHERE lid=OLD.lid;
END;
CREATE TABLE words(wid INTEGER PRIMARY KEY AUTOINCREMENT,
word TEXT UNIQUE,
occurrences INTEGER DEFAULT 0);
CREATE TABLE langs_words(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER, -- repetitions of this word in this language
PRIMARY KEY(lid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_lang_word AFTER INSERT ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_lang_word AFTER DELETE ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words-1 WHERE lid=OLD.lid;
END;
CREATE TABLE pages_words(pid INTEGER REFERENCES pages(pid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this word appears into this page
PRIMARY KEY(pid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_page_word AFTER INSERT ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words+1 WHERE pid=NEW.pid;
END;
CREATE TRIGGER del_page_word AFTER DELETE ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words-1 WHERE pid=OLD.pid;
END;
CREATE TABLE biwords(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
w1st INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
w2nd INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this pair appears in this language/page
PRIMARY KEY(lid,w1st,w2nd))
WITHOUT ROWID;
|
shipping | What is the customer's address for the shipment with ship ID 1117? | SELECT T2.address FROM shipment AS T1 INNER JOIN customer AS T2 ON T1.cust_id = T2.cust_id WHERE T1.ship_id = '1117' | CREATE TABLE city
(
city_id INTEGER
primary key,
city_name TEXT,
state TEXT,
population INTEGER,
area REAL
);
CREATE TABLE customer
(
cust_id INTEGER
primary key,
cust_name TEXT,
annual_revenue INTEGER,
cust_type TEXT,
address TEXT,
city TEXT,
state TEXT,
zip REAL,
phone TEXT
);
CREATE TABLE driver
(
driver_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
address TEXT,
city TEXT,
state TEXT,
zip_code INTEGER,
phone TEXT
);
CREATE TABLE truck
(
truck_id INTEGER
primary key,
make TEXT,
model_year INTEGER
);
CREATE TABLE shipment
(
ship_id INTEGER
primary key,
cust_id INTEGER,
weight REAL,
truck_id INTEGER,
driver_id INTEGER,
city_id INTEGER,
ship_date TEXT,
foreign key (cust_id) references customer(cust_id),
foreign key (city_id) references city(city_id),
foreign key (driver_id) references driver(driver_id),
foreign key (truck_id) references truck(truck_id)
);
|
|
legislator | Among the legislators who will end in 2009, how many are from the Republican party? | the legislators who will end in 2009 refers to END 2009; from the Republican party refers to party = 'Republican' | SELECT `END`, party FROM `current-terms` WHERE STRFTIME('%Y', `END`) = '2009' AND party = 'Republican' | CREATE TABLE current
(
ballotpedia_id TEXT,
bioguide_id TEXT,
birthday_bio DATE,
cspan_id REAL,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id REAL,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id INTEGER,
votesmart_id REAL,
wikidata_id TEXT,
wikipedia_id TEXT,
primary key (bioguide_id, cspan_id)
);
CREATE TABLE IF NOT EXISTS "current-terms"
(
address TEXT,
bioguide TEXT,
caucus TEXT,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
primary key (bioguide, end),
foreign key (bioguide) references current(bioguide_id)
);
CREATE TABLE historical
(
ballotpedia_id TEXT,
bioguide_id TEXT
primary key,
bioguide_previous_id TEXT,
birthday_bio TEXT,
cspan_id TEXT,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_alternate_id TEXT,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id TEXT,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id TEXT,
votesmart_id TEXT,
wikidata_id TEXT,
wikipedia_id TEXT
);
CREATE TABLE IF NOT EXISTS "historical-terms"
(
address TEXT,
bioguide TEXT
primary key,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
middle TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
foreign key (bioguide) references historical(bioguide_id)
);
CREATE TABLE IF NOT EXISTS "social-media"
(
bioguide TEXT
primary key,
facebook TEXT,
facebook_id REAL,
govtrack REAL,
instagram TEXT,
instagram_id REAL,
thomas INTEGER,
twitter TEXT,
twitter_id REAL,
youtube TEXT,
youtube_id TEXT,
foreign key (bioguide) references current(bioguide_id)
);
|
professional_basketball | How many total minutes has the Brooklyn-born player, known by the name of Superman, played during all of his NBA All-Star seasons? | "Brooklyn" is the birthCity of player; known by the name of Superman refers to nameNick like '%Superman%'; total minutes refers to Sum(minutes) | SELECT SUM(T2.minutes) FROM players AS T1 INNER JOIN player_allstar AS T2 ON T1.playerID = T2.playerID WHERE T1.birthCity = 'Brooklyn' AND T1.nameNick LIKE '%Superman%' | CREATE TABLE awards_players
(
playerID TEXT not null,
award TEXT not null,
year INTEGER not null,
lgID TEXT null,
note TEXT null,
pos TEXT null,
primary key (playerID, year, award),
foreign key (playerID) references players (playerID)
on update cascade on delete cascade
);
CREATE TABLE coaches
(
coachID TEXT not null,
year INTEGER not null,
tmID TEXT not null,
lgID TEXT null,
stint INTEGER not null,
won INTEGER null,
lost INTEGER null,
post_wins INTEGER null,
post_losses INTEGER null,
primary key (coachID, year, tmID, stint),
foreign key (tmID, year) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE draft
(
id INTEGER default 0 not null
primary key,
draftYear INTEGER null,
draftRound INTEGER null,
draftSelection INTEGER null,
draftOverall INTEGER null,
tmID TEXT null,
firstName TEXT null,
lastName TEXT null,
suffixName TEXT null,
playerID TEXT null,
draftFrom TEXT null,
lgID TEXT null,
foreign key (tmID, draftYear) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE player_allstar
(
playerID TEXT not null,
last_name TEXT null,
first_name TEXT null,
season_id INTEGER not null,
conference TEXT null,
league_id TEXT null,
games_played INTEGER null,
minutes INTEGER null,
points INTEGER null,
o_rebounds INTEGER null,
d_rebounds INTEGER null,
rebounds INTEGER null,
assists INTEGER null,
steals INTEGER null,
blocks INTEGER null,
turnovers INTEGER null,
personal_fouls INTEGER null,
fg_attempted INTEGER null,
fg_made INTEGER null,
ft_attempted INTEGER null,
ft_made INTEGER null,
three_attempted INTEGER null,
three_made INTEGER null,
primary key (playerID, season_id),
foreign key (playerID) references players (playerID)
on update cascade on delete cascade
);
CREATE TABLE players
(
playerID TEXT not null
primary key,
useFirst TEXT null,
firstName TEXT null,
middleName TEXT null,
lastName TEXT null,
nameGiven TEXT null,
fullGivenName TEXT null,
nameSuffix TEXT null,
nameNick TEXT null,
pos TEXT null,
firstseason INTEGER null,
lastseason INTEGER null,
height REAL null,
weight INTEGER null,
college TEXT null,
collegeOther TEXT null,
birthDate DATE null,
birthCity TEXT null,
birthState TEXT null,
birthCountry TEXT null,
highSchool TEXT null,
hsCity TEXT null,
hsState TEXT null,
hsCountry TEXT null,
deathDate DATE null,
race TEXT null
);
CREATE TABLE teams
(
year INTEGER not null,
lgID TEXT null,
tmID TEXT not null,
franchID TEXT null,
confID TEXT null,
divID TEXT null,
`rank` INTEGER null,
confRank INTEGER null,
playoff TEXT null,
name TEXT null,
o_fgm INTEGER null,
-- o_fga int null,
o_ftm INTEGER null,
-- o_fta int null,
-- o_3pm int null,
-- o_3pa int null,
-- o_oreb int null,
-- o_dreb int null,
-- o_reb int null,
-- o_asts int null,
-- o_pf int null,
-- o_stl int null,
-- o_to int null,
-- o_blk int null,
o_pts INTEGER null,
-- d_fgm int null,
-- d_fga int null,
-- d_ftm int null,
-- d_fta int null,
-- d_3pm int null,
-- d_3pa int null,
-- d_oreb int null,
-- d_dreb int null,
-- d_reb int null,
-- d_asts int null,
-- d_pf int null,
-- d_stl int null,
-- d_to int null,
-- d_blk int null,
d_pts INTEGER null,
-- o_tmRebound int null,
-- d_tmRebound int null,
homeWon INTEGER null,
homeLost INTEGER null,
awayWon INTEGER null,
awayLost INTEGER null,
-- neutWon int null,
-- neutLoss int null,
-- confWon int null,
-- confLoss int null,
-- divWon int null,
-- divLoss int null,
-- pace int null,
won INTEGER null,
lost INTEGER null,
games INTEGER null,
-- min int null,
arena TEXT null,
-- attendance int null,
-- bbtmID varchar(255) null,
primary key (year, tmID)
);
CREATE TABLE IF NOT EXISTS "awards_coaches"
(
id INTEGER
primary key autoincrement,
year INTEGER,
coachID TEXT,
award TEXT,
lgID TEXT,
note TEXT,
foreign key (coachID, year) references coaches (coachID, year)
on update cascade on delete cascade
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "players_teams"
(
id INTEGER
primary key autoincrement,
playerID TEXT not null
references players
on update cascade on delete cascade,
year INTEGER,
stint INTEGER,
tmID TEXT,
lgID TEXT,
GP INTEGER,
GS INTEGER,
minutes INTEGER,
points INTEGER,
oRebounds INTEGER,
dRebounds INTEGER,
rebounds INTEGER,
assists INTEGER,
steals INTEGER,
blocks INTEGER,
turnovers INTEGER,
PF INTEGER,
fgAttempted INTEGER,
fgMade INTEGER,
ftAttempted INTEGER,
ftMade INTEGER,
threeAttempted INTEGER,
threeMade INTEGER,
PostGP INTEGER,
PostGS INTEGER,
PostMinutes INTEGER,
PostPoints INTEGER,
PostoRebounds INTEGER,
PostdRebounds INTEGER,
PostRebounds INTEGER,
PostAssists INTEGER,
PostSteals INTEGER,
PostBlocks INTEGER,
PostTurnovers INTEGER,
PostPF INTEGER,
PostfgAttempted INTEGER,
PostfgMade INTEGER,
PostftAttempted INTEGER,
PostftMade INTEGER,
PostthreeAttempted INTEGER,
PostthreeMade INTEGER,
note TEXT,
foreign key (tmID, year) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "series_post"
(
id INTEGER
primary key autoincrement,
year INTEGER,
round TEXT,
series TEXT,
tmIDWinner TEXT,
lgIDWinner TEXT,
tmIDLoser TEXT,
lgIDLoser TEXT,
W INTEGER,
L INTEGER,
foreign key (tmIDWinner, year) references teams (tmID, year)
on update cascade on delete cascade,
foreign key (tmIDLoser, year) references teams (tmID, year)
on update cascade on delete cascade
);
|
student_loan | Find the average number of absences for each student. | average refers to DIVIDE(SUM(month), COUNT(name)) | SELECT AVG(month) FROM longest_absense_from_school | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
retail_complains | In 2012, how many complaints about Credit card product came from clients in Omaha? | in 2012 refers to Date received LIKE'2012%'; in Omaha refers to city = 'Omaha' | SELECT COUNT(T1.client_id) FROM client AS T1 INNER JOIN events AS T2 ON T1.client_id = T2.Client_ID WHERE T1.city = 'Omaha' AND strftime('%Y', T2.`Date received`) = '2012' AND T2.Product = 'Credit card' | CREATE TABLE state
(
StateCode TEXT
constraint state_pk
primary key,
State TEXT,
Region TEXT
);
CREATE TABLE callcenterlogs
(
"Date received" DATE,
"Complaint ID" TEXT,
"rand client" TEXT,
phonefinal TEXT,
"vru+line" TEXT,
call_id INTEGER,
priority INTEGER,
type TEXT,
outcome TEXT,
server TEXT,
ser_start TEXT,
ser_exit TEXT,
ser_time TEXT,
primary key ("Complaint ID"),
foreign key ("rand client") references client(client_id)
);
CREATE TABLE client
(
client_id TEXT
primary key,
sex TEXT,
day INTEGER,
month INTEGER,
year INTEGER,
age INTEGER,
social TEXT,
first TEXT,
middle TEXT,
last TEXT,
phone TEXT,
email TEXT,
address_1 TEXT,
address_2 TEXT,
city TEXT,
state TEXT,
zipcode INTEGER,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
CREATE TABLE district
(
district_id INTEGER
primary key,
city TEXT,
state_abbrev TEXT,
division TEXT,
foreign key (state_abbrev) references state(StateCode)
);
CREATE TABLE events
(
"Date received" DATE,
Product TEXT,
"Sub-product" TEXT,
Issue TEXT,
"Sub-issue" TEXT,
"Consumer complaint narrative" TEXT,
Tags TEXT,
"Consumer consent provided?" TEXT,
"Submitted via" TEXT,
"Date sent to company" TEXT,
"Company response to consumer" TEXT,
"Timely response?" TEXT,
"Consumer disputed?" TEXT,
"Complaint ID" TEXT,
Client_ID TEXT,
primary key ("Complaint ID", Client_ID),
foreign key ("Complaint ID") references callcenterlogs("Complaint ID"),
foreign key (Client_ID) references client(client_id)
);
CREATE TABLE reviews
(
"Date" DATE
primary key,
Stars INTEGER,
Reviews TEXT,
Product TEXT,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
|
video_games | What is the release year of the game that gained 350000 sales in North America? | gained 350000 sales refers to num_sales = 3.5; in North America refers to region_name = 'North America' | SELECT T3.release_year FROM region AS T1 INNER JOIN region_sales AS T2 ON T1.id = T2.region_id INNER JOIN game_platform AS T3 ON T2.game_platform_id = T3.id WHERE T2.num_sales * 100000 = 350000 AND T1.region_name = 'North America' | CREATE TABLE genre
(
id INTEGER not null
primary key,
genre_name TEXT default NULL
);
CREATE TABLE game
(
id INTEGER not null
primary key,
genre_id INTEGER default NULL,
game_name TEXT default NULL,
foreign key (genre_id) references genre(id)
);
CREATE TABLE platform
(
id INTEGER not null
primary key,
platform_name TEXT default NULL
);
CREATE TABLE publisher
(
id INTEGER not null
primary key,
publisher_name TEXT default NULL
);
CREATE TABLE game_publisher
(
id INTEGER not null
primary key,
game_id INTEGER default NULL,
publisher_id INTEGER default NULL,
foreign key (game_id) references game(id),
foreign key (publisher_id) references publisher(id)
);
CREATE TABLE game_platform
(
id INTEGER not null
primary key,
game_publisher_id INTEGER default NULL,
platform_id INTEGER default NULL,
release_year INTEGER default NULL,
foreign key (game_publisher_id) references game_publisher(id),
foreign key (platform_id) references platform(id)
);
CREATE TABLE region
(
id INTEGER not null
primary key,
region_name TEXT default NULL
);
CREATE TABLE region_sales
(
region_id INTEGER default NULL,
game_platform_id INTEGER default NULL,
num_sales REAL default NULL,
foreign key (game_platform_id) references game_platform(id),
foreign key (region_id) references region(id)
);
|
software_company | Of customers who provide other services, how many are from places where inhabitants are more than 20000? | OCCUPATION = 'Other-service'; inhabitants are more than 20000 refer to INHABITANTS_K > 20; | SELECT COUNT(T2.GEOID) FROM Customers AS T1 INNER JOIN Demog AS T2 ON T1.GEOID = T2.GEOID WHERE T1.OCCUPATION = 'Other-service' AND T2.INHABITANTS_K > 20 | CREATE TABLE Demog
(
GEOID INTEGER
constraint Demog_pk
primary key,
INHABITANTS_K REAL,
INCOME_K REAL,
A_VAR1 REAL,
A_VAR2 REAL,
A_VAR3 REAL,
A_VAR4 REAL,
A_VAR5 REAL,
A_VAR6 REAL,
A_VAR7 REAL,
A_VAR8 REAL,
A_VAR9 REAL,
A_VAR10 REAL,
A_VAR11 REAL,
A_VAR12 REAL,
A_VAR13 REAL,
A_VAR14 REAL,
A_VAR15 REAL,
A_VAR16 REAL,
A_VAR17 REAL,
A_VAR18 REAL
);
CREATE TABLE mailings3
(
REFID INTEGER
constraint mailings3_pk
primary key,
REF_DATE DATETIME,
RESPONSE TEXT
);
CREATE TABLE IF NOT EXISTS "Customers"
(
ID INTEGER
constraint Customers_pk
primary key,
SEX TEXT,
MARITAL_STATUS TEXT,
GEOID INTEGER
constraint Customers_Demog_GEOID_fk
references Demog,
EDUCATIONNUM INTEGER,
OCCUPATION TEXT,
age INTEGER
);
CREATE TABLE IF NOT EXISTS "Mailings1_2"
(
REFID INTEGER
constraint Mailings1_2_pk
primary key
constraint Mailings1_2_Customers_ID_fk
references Customers,
REF_DATE DATETIME,
RESPONSE TEXT
);
CREATE TABLE IF NOT EXISTS "Sales"
(
EVENTID INTEGER
constraint Sales_pk
primary key,
REFID INTEGER
references Customers,
EVENT_DATE DATETIME,
AMOUNT REAL
);
|
soccer_2016 | What is the difference between the number of matches where SC Ganguly played as a Captain and those matches where he played other roles? | SC Ganguly refers to Player_Name = 'SC Ganguly'; played as a Captain refers to Role_Id = 1; played other roles refers to Role_Id > 1; difference refers to SUBTRACT(COUNT(Role_Id = 1), COUNT(Role_Id > 1)) | SELECT SUM(CASE WHEN T3.Role_Id = 1 THEN 1 ELSE 0 END) - SUM(CASE WHEN T3.Role_Id > 1 THEN 1 ELSE 0 END) FROM Player_Match AS T1 INNER JOIN Player AS T2 ON T1.Player_Id = T2.Player_Id INNER JOIN Rolee AS T3 ON T1.Role_Id = T3.Role_Id WHERE T2.Player_Name = 'SC Ganguly' | CREATE TABLE Batting_Style
(
Batting_Id INTEGER
primary key,
Batting_hand TEXT
);
CREATE TABLE Bowling_Style
(
Bowling_Id INTEGER
primary key,
Bowling_skill TEXT
);
CREATE TABLE City
(
City_Id INTEGER
primary key,
City_Name TEXT,
Country_id INTEGER
);
CREATE TABLE Country
(
Country_Id INTEGER
primary key,
Country_Name TEXT,
foreign key (Country_Id) references Country(Country_Id)
);
CREATE TABLE Extra_Type
(
Extra_Id INTEGER
primary key,
Extra_Name TEXT
);
CREATE TABLE Extra_Runs
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Extra_Type_Id INTEGER,
Extra_Runs INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Extra_Type_Id) references Extra_Type(Extra_Id)
);
CREATE TABLE Out_Type
(
Out_Id INTEGER
primary key,
Out_Name TEXT
);
CREATE TABLE Outcome
(
Outcome_Id INTEGER
primary key,
Outcome_Type TEXT
);
CREATE TABLE Player
(
Player_Id INTEGER
primary key,
Player_Name TEXT,
DOB DATE,
Batting_hand INTEGER,
Bowling_skill INTEGER,
Country_Name INTEGER,
foreign key (Batting_hand) references Batting_Style(Batting_Id),
foreign key (Bowling_skill) references Bowling_Style(Bowling_Id),
foreign key (Country_Name) references Country(Country_Id)
);
CREATE TABLE Rolee
(
Role_Id INTEGER
primary key,
Role_Desc TEXT
);
CREATE TABLE Season
(
Season_Id INTEGER
primary key,
Man_of_the_Series INTEGER,
Orange_Cap INTEGER,
Purple_Cap INTEGER,
Season_Year INTEGER
);
CREATE TABLE Team
(
Team_Id INTEGER
primary key,
Team_Name TEXT
);
CREATE TABLE Toss_Decision
(
Toss_Id INTEGER
primary key,
Toss_Name TEXT
);
CREATE TABLE Umpire
(
Umpire_Id INTEGER
primary key,
Umpire_Name TEXT,
Umpire_Country INTEGER,
foreign key (Umpire_Country) references Country(Country_Id)
);
CREATE TABLE Venue
(
Venue_Id INTEGER
primary key,
Venue_Name TEXT,
City_Id INTEGER,
foreign key (City_Id) references City(City_Id)
);
CREATE TABLE Win_By
(
Win_Id INTEGER
primary key,
Win_Type TEXT
);
CREATE TABLE Match
(
Match_Id INTEGER
primary key,
Team_1 INTEGER,
Team_2 INTEGER,
Match_Date DATE,
Season_Id INTEGER,
Venue_Id INTEGER,
Toss_Winner INTEGER,
Toss_Decide INTEGER,
Win_Type INTEGER,
Win_Margin INTEGER,
Outcome_type INTEGER,
Match_Winner INTEGER,
Man_of_the_Match INTEGER,
foreign key (Team_1) references Team(Team_Id),
foreign key (Team_2) references Team(Team_Id),
foreign key (Season_Id) references Season(Season_Id),
foreign key (Venue_Id) references Venue(Venue_Id),
foreign key (Toss_Winner) references Team(Team_Id),
foreign key (Toss_Decide) references Toss_Decision(Toss_Id),
foreign key (Win_Type) references Win_By(Win_Id),
foreign key (Outcome_type) references Out_Type(Out_Id),
foreign key (Match_Winner) references Team(Team_Id),
foreign key (Man_of_the_Match) references Player(Player_Id)
);
CREATE TABLE Ball_by_Ball
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Innings_No INTEGER,
Team_Batting INTEGER,
Team_Bowling INTEGER,
Striker_Batting_Position INTEGER,
Striker INTEGER,
Non_Striker INTEGER,
Bowler INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Batsman_Scored
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Runs_Scored INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Player_Match
(
Match_Id INTEGER,
Player_Id INTEGER,
Role_Id INTEGER,
Team_Id INTEGER,
primary key (Match_Id, Player_Id, Role_Id),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Id) references Player(Player_Id),
foreign key (Team_Id) references Team(Team_Id),
foreign key (Role_Id) references Rolee(Role_Id)
);
CREATE TABLE Wicket_Taken
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Player_Out INTEGER,
Kind_Out INTEGER,
Fielders INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Out) references Player(Player_Id),
foreign key (Kind_Out) references Out_Type(Out_Id),
foreign key (Fielders) references Player(Player_Id)
);
|
legislator | Give the full name of legislators who have accounts on OpenSecrets.org. | full name refers to first_name, last_name; have accounts on OpenSecrets.org refers to opensecrets_id IS NOT NULL AND opensecrets_id <> '' | SELECT COUNT(*) FROM current WHERE opensecrets_id IS NOT NULL AND opensecrets_id <> '' | CREATE TABLE current
(
ballotpedia_id TEXT,
bioguide_id TEXT,
birthday_bio DATE,
cspan_id REAL,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id REAL,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id INTEGER,
votesmart_id REAL,
wikidata_id TEXT,
wikipedia_id TEXT,
primary key (bioguide_id, cspan_id)
);
CREATE TABLE IF NOT EXISTS "current-terms"
(
address TEXT,
bioguide TEXT,
caucus TEXT,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
primary key (bioguide, end),
foreign key (bioguide) references current(bioguide_id)
);
CREATE TABLE historical
(
ballotpedia_id TEXT,
bioguide_id TEXT
primary key,
bioguide_previous_id TEXT,
birthday_bio TEXT,
cspan_id TEXT,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_alternate_id TEXT,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id TEXT,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id TEXT,
votesmart_id TEXT,
wikidata_id TEXT,
wikipedia_id TEXT
);
CREATE TABLE IF NOT EXISTS "historical-terms"
(
address TEXT,
bioguide TEXT
primary key,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
middle TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
foreign key (bioguide) references historical(bioguide_id)
);
CREATE TABLE IF NOT EXISTS "social-media"
(
bioguide TEXT
primary key,
facebook TEXT,
facebook_id REAL,
govtrack REAL,
instagram TEXT,
instagram_id REAL,
thomas INTEGER,
twitter TEXT,
twitter_id REAL,
youtube TEXT,
youtube_id TEXT,
foreign key (bioguide) references current(bioguide_id)
);
|
codebase_comments | What is the linearized sequenced of API calls of the method whose solution path is "mauriciodeamorim_tdd.encontro2\Tdd.Encontro2.sln"? | linearized sequenced of API calls refers to ApiCalls; | SELECT T2.ApiCalls FROM Solution AS T1 INNER JOIN Method AS T2 ON T1.Id = T2.SolutionId WHERE T1.Path = 'mauriciodeamorim_tdd.encontro2Tdd.Encontro2.sln' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "Method"
(
Id INTEGER not null
primary key autoincrement,
Name TEXT,
FullComment TEXT,
Summary TEXT,
ApiCalls TEXT,
CommentIsXml INTEGER,
SampledAt INTEGER,
SolutionId INTEGER,
Lang TEXT,
NameTokenized TEXT
);
CREATE TABLE IF NOT EXISTS "MethodParameter"
(
Id INTEGER not null
primary key autoincrement,
MethodId TEXT,
Type TEXT,
Name TEXT
);
CREATE TABLE Repo
(
Id INTEGER not null
primary key autoincrement,
Url TEXT,
Stars INTEGER,
Forks INTEGER,
Watchers INTEGER,
ProcessedTime INTEGER
);
CREATE TABLE Solution
(
Id INTEGER not null
primary key autoincrement,
RepoId INTEGER,
Path TEXT,
ProcessedTime INTEGER,
WasCompiled INTEGER
);
|
video_games | Provide the ID of the most popular platform in Europe. | ID refers to game_platform_id; the most popular refers to max(num_sales); in Europe refers to region_name = 'Europe' | SELECT T.game_platform_id FROM ( SELECT T1.game_platform_id, SUM(T1.num_sales) FROM region_sales AS T1 INNER JOIN region AS T2 ON T1.region_id = T2.id WHERE T2.region_name = 'Europe' GROUP BY T1.game_platform_id ORDER BY SUM(T1.num_sales) DESC LIMIT 1 ) t | CREATE TABLE genre
(
id INTEGER not null
primary key,
genre_name TEXT default NULL
);
CREATE TABLE game
(
id INTEGER not null
primary key,
genre_id INTEGER default NULL,
game_name TEXT default NULL,
foreign key (genre_id) references genre(id)
);
CREATE TABLE platform
(
id INTEGER not null
primary key,
platform_name TEXT default NULL
);
CREATE TABLE publisher
(
id INTEGER not null
primary key,
publisher_name TEXT default NULL
);
CREATE TABLE game_publisher
(
id INTEGER not null
primary key,
game_id INTEGER default NULL,
publisher_id INTEGER default NULL,
foreign key (game_id) references game(id),
foreign key (publisher_id) references publisher(id)
);
CREATE TABLE game_platform
(
id INTEGER not null
primary key,
game_publisher_id INTEGER default NULL,
platform_id INTEGER default NULL,
release_year INTEGER default NULL,
foreign key (game_publisher_id) references game_publisher(id),
foreign key (platform_id) references platform(id)
);
CREATE TABLE region
(
id INTEGER not null
primary key,
region_name TEXT default NULL
);
CREATE TABLE region_sales
(
region_id INTEGER default NULL,
game_platform_id INTEGER default NULL,
num_sales REAL default NULL,
foreign key (game_platform_id) references game_platform(id),
foreign key (region_id) references region(id)
);
|
movie | List the height and net worth of actors starred in Three Men and a Little Lady. | Three Men and a Little Lady refers to Title = 'Three Men and a Little Lady' | SELECT T3.`Height (Inches)`, T3.NetWorth FROM movie AS T1 INNER JOIN characters AS T2 ON T1.MovieID = T2.MovieID INNER JOIN actor AS T3 ON T3.ActorID = T2.ActorID WHERE T1.Title = 'Three Men and a Little Lady' | CREATE TABLE actor
(
ActorID INTEGER
constraint actor_pk
primary key,
Name TEXT,
"Date of Birth" DATE,
"Birth City" TEXT,
"Birth Country" TEXT,
"Height (Inches)" INTEGER,
Biography TEXT,
Gender TEXT,
Ethnicity TEXT,
NetWorth TEXT
);
CREATE TABLE movie
(
MovieID INTEGER
constraint movie_pk
primary key,
Title TEXT,
"MPAA Rating" TEXT,
Budget INTEGER,
Gross INTEGER,
"Release Date" TEXT,
Genre TEXT,
Runtime INTEGER,
Rating REAL,
"Rating Count" INTEGER,
Summary TEXT
);
CREATE TABLE characters
(
MovieID INTEGER,
ActorID INTEGER,
"Character Name" TEXT,
creditOrder INTEGER,
pay TEXT,
screentime TEXT,
primary key (MovieID, ActorID),
foreign key (ActorID) references actor(ActorID),
foreign key (MovieID) references movie(MovieID)
);
|
world | What country has the largest surface area? | largest surface area refers to MAX(SurfaceArea); | SELECT Name FROM Country ORDER BY SurfaceArea DESC LIMIT 1 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE `City` (
`ID` INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT,
`Name` TEXT NOT NULL DEFAULT '',
`CountryCode` TEXT NOT NULL DEFAULT '',
`District` TEXT NOT NULL DEFAULT '',
`Population` INTEGER NOT NULL DEFAULT 0,
FOREIGN KEY (`CountryCode`) REFERENCES `Country` (`Code`)
);
CREATE TABLE `Country` (
`Code` TEXT NOT NULL DEFAULT '',
`Name` TEXT NOT NULL DEFAULT '',
`Continent` TEXT NOT NULL DEFAULT 'Asia',
`Region` TEXT NOT NULL DEFAULT '',
`SurfaceArea` REAL NOT NULL DEFAULT 0.00,
`IndepYear` INTEGER DEFAULT NULL,
`Population` INTEGER NOT NULL DEFAULT 0,
`LifeExpectancy` REAL DEFAULT NULL,
`GNP` REAL DEFAULT NULL,
`GNPOld` REAL DEFAULT NULL,
`LocalName` TEXT NOT NULL DEFAULT '',
`GovernmentForm` TEXT NOT NULL DEFAULT '',
`HeadOfState` TEXT DEFAULT NULL,
`Capital` INTEGER DEFAULT NULL,
`Code2` TEXT NOT NULL DEFAULT '',
PRIMARY KEY (`Code`)
);
CREATE TABLE `CountryLanguage` (
`CountryCode` TEXT NOT NULL DEFAULT '',
`Language` TEXT NOT NULL DEFAULT '',
`IsOfficial`TEXT NOT NULL DEFAULT 'F',
`Percentage` REAL NOT NULL DEFAULT 0.0,
PRIMARY KEY (`CountryCode`,`Language`),
FOREIGN KEY (`CountryCode`) REFERENCES `Country` (`Code`)
);
|
retail_complains | Among the elderlies, state the last name of whose complaint is handled in server YIFAT? | elder refers to age < = 65; last name refers to last | SELECT T1.last FROM client AS T1 INNER JOIN callcenterlogs AS T2 ON T1.client_id = T2.`rand client` WHERE T1.age > 65 AND T2.server = 'YIFAT' | CREATE TABLE state
(
StateCode TEXT
constraint state_pk
primary key,
State TEXT,
Region TEXT
);
CREATE TABLE callcenterlogs
(
"Date received" DATE,
"Complaint ID" TEXT,
"rand client" TEXT,
phonefinal TEXT,
"vru+line" TEXT,
call_id INTEGER,
priority INTEGER,
type TEXT,
outcome TEXT,
server TEXT,
ser_start TEXT,
ser_exit TEXT,
ser_time TEXT,
primary key ("Complaint ID"),
foreign key ("rand client") references client(client_id)
);
CREATE TABLE client
(
client_id TEXT
primary key,
sex TEXT,
day INTEGER,
month INTEGER,
year INTEGER,
age INTEGER,
social TEXT,
first TEXT,
middle TEXT,
last TEXT,
phone TEXT,
email TEXT,
address_1 TEXT,
address_2 TEXT,
city TEXT,
state TEXT,
zipcode INTEGER,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
CREATE TABLE district
(
district_id INTEGER
primary key,
city TEXT,
state_abbrev TEXT,
division TEXT,
foreign key (state_abbrev) references state(StateCode)
);
CREATE TABLE events
(
"Date received" DATE,
Product TEXT,
"Sub-product" TEXT,
Issue TEXT,
"Sub-issue" TEXT,
"Consumer complaint narrative" TEXT,
Tags TEXT,
"Consumer consent provided?" TEXT,
"Submitted via" TEXT,
"Date sent to company" TEXT,
"Company response to consumer" TEXT,
"Timely response?" TEXT,
"Consumer disputed?" TEXT,
"Complaint ID" TEXT,
Client_ID TEXT,
primary key ("Complaint ID", Client_ID),
foreign key ("Complaint ID") references callcenterlogs("Complaint ID"),
foreign key (Client_ID) references client(client_id)
);
CREATE TABLE reviews
(
"Date" DATE
primary key,
Stars INTEGER,
Reviews TEXT,
Product TEXT,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
|
shakespeare | List the scenes and descriptions in Act 1 of " Pericles, Prince of Tyre". | " Pericles, Prince of Tyre" refers to LongTitle = 'Pericles, Prince of Tyre' | SELECT T2.Scene, T2.Description FROM works AS T1 INNER JOIN chapters AS T2 ON T1.id = T2.work_id WHERE T1.LongTitle = 'Pericles, Prince of Tyre' AND T2.Act = 1 | CREATE TABLE IF NOT EXISTS "chapters"
(
id INTEGER
primary key autoincrement,
Act INTEGER not null,
Scene INTEGER not null,
Description TEXT not null,
work_id INTEGER not null
references works
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "characters"
(
id INTEGER
primary key autoincrement,
CharName TEXT not null,
Abbrev TEXT not null,
Description TEXT not null
);
CREATE TABLE IF NOT EXISTS "paragraphs"
(
id INTEGER
primary key autoincrement,
ParagraphNum INTEGER not null,
PlainText TEXT not null,
character_id INTEGER not null
references characters,
chapter_id INTEGER default 0 not null
references chapters
);
CREATE TABLE IF NOT EXISTS "works"
(
id INTEGER
primary key autoincrement,
Title TEXT not null,
LongTitle TEXT not null,
Date INTEGER not null,
GenreType TEXT not null
);
|
chicago_crime | In which district have there been more intimidation-type crimes? | more intimidation-type crime refers to Max(Count(primary_description = 'INTIMIDATION')); district refers to district_name | SELECT T3.district_name FROM IUCR AS T1 INNER JOIN Crime AS T2 ON T2.iucr_no = T1.iucr_no INNER JOIN District AS T3 ON T3.district_no = T2.district_no WHERE T1.primary_description = 'INTIMIDATION' GROUP BY T3.district_name ORDER BY COUNT(T1.primary_description) DESC LIMIT 1 | CREATE TABLE Community_Area
(
community_area_no INTEGER
primary key,
community_area_name TEXT,
side TEXT,
population TEXT
);
CREATE TABLE District
(
district_no INTEGER
primary key,
district_name TEXT,
address TEXT,
zip_code INTEGER,
commander TEXT,
email TEXT,
phone TEXT,
fax TEXT,
tty TEXT,
twitter TEXT
);
CREATE TABLE FBI_Code
(
fbi_code_no TEXT
primary key,
title TEXT,
description TEXT,
crime_against TEXT
);
CREATE TABLE IUCR
(
iucr_no TEXT
primary key,
primary_description TEXT,
secondary_description TEXT,
index_code TEXT
);
CREATE TABLE Neighborhood
(
neighborhood_name TEXT
primary key,
community_area_no INTEGER,
foreign key (community_area_no) references Community_Area(community_area_no)
);
CREATE TABLE Ward
(
ward_no INTEGER
primary key,
alderman_first_name TEXT,
alderman_last_name TEXT,
alderman_name_suffix TEXT,
ward_office_address TEXT,
ward_office_zip TEXT,
ward_email TEXT,
ward_office_phone TEXT,
ward_office_fax TEXT,
city_hall_office_room INTEGER,
city_hall_office_phone TEXT,
city_hall_office_fax TEXT,
Population INTEGER
);
CREATE TABLE Crime
(
report_no INTEGER
primary key,
case_number TEXT,
date TEXT,
block TEXT,
iucr_no TEXT,
location_description TEXT,
arrest TEXT,
domestic TEXT,
beat INTEGER,
district_no INTEGER,
ward_no INTEGER,
community_area_no INTEGER,
fbi_code_no TEXT,
latitude TEXT,
longitude TEXT,
foreign key (ward_no) references Ward(ward_no),
foreign key (iucr_no) references IUCR(iucr_no),
foreign key (district_no) references District(district_no),
foreign key (community_area_no) references Community_Area(community_area_no),
foreign key (fbi_code_no) references FBI_Code(fbi_code_no)
);
|
chicago_crime | What are the communities that are grouped together on the central side? | central side refers to side = 'Central'; community refers to community_area_name | SELECT community_area_name FROM Community_Area WHERE side = 'Central' | CREATE TABLE Community_Area
(
community_area_no INTEGER
primary key,
community_area_name TEXT,
side TEXT,
population TEXT
);
CREATE TABLE District
(
district_no INTEGER
primary key,
district_name TEXT,
address TEXT,
zip_code INTEGER,
commander TEXT,
email TEXT,
phone TEXT,
fax TEXT,
tty TEXT,
twitter TEXT
);
CREATE TABLE FBI_Code
(
fbi_code_no TEXT
primary key,
title TEXT,
description TEXT,
crime_against TEXT
);
CREATE TABLE IUCR
(
iucr_no TEXT
primary key,
primary_description TEXT,
secondary_description TEXT,
index_code TEXT
);
CREATE TABLE Neighborhood
(
neighborhood_name TEXT
primary key,
community_area_no INTEGER,
foreign key (community_area_no) references Community_Area(community_area_no)
);
CREATE TABLE Ward
(
ward_no INTEGER
primary key,
alderman_first_name TEXT,
alderman_last_name TEXT,
alderman_name_suffix TEXT,
ward_office_address TEXT,
ward_office_zip TEXT,
ward_email TEXT,
ward_office_phone TEXT,
ward_office_fax TEXT,
city_hall_office_room INTEGER,
city_hall_office_phone TEXT,
city_hall_office_fax TEXT,
Population INTEGER
);
CREATE TABLE Crime
(
report_no INTEGER
primary key,
case_number TEXT,
date TEXT,
block TEXT,
iucr_no TEXT,
location_description TEXT,
arrest TEXT,
domestic TEXT,
beat INTEGER,
district_no INTEGER,
ward_no INTEGER,
community_area_no INTEGER,
fbi_code_no TEXT,
latitude TEXT,
longitude TEXT,
foreign key (ward_no) references Ward(ward_no),
foreign key (iucr_no) references IUCR(iucr_no),
foreign key (district_no) references District(district_no),
foreign key (community_area_no) references Community_Area(community_area_no),
foreign key (fbi_code_no) references FBI_Code(fbi_code_no)
);
|
chicago_crime | Give the FBI code for the crime described by "The killing of one human being by another." | "The killing of one human being by another" is the description; FBI code refers to fbi_code_no | SELECT fbi_code_no FROM FBI_Code WHERE description = 'The killing of one human being by another.' | CREATE TABLE Community_Area
(
community_area_no INTEGER
primary key,
community_area_name TEXT,
side TEXT,
population TEXT
);
CREATE TABLE District
(
district_no INTEGER
primary key,
district_name TEXT,
address TEXT,
zip_code INTEGER,
commander TEXT,
email TEXT,
phone TEXT,
fax TEXT,
tty TEXT,
twitter TEXT
);
CREATE TABLE FBI_Code
(
fbi_code_no TEXT
primary key,
title TEXT,
description TEXT,
crime_against TEXT
);
CREATE TABLE IUCR
(
iucr_no TEXT
primary key,
primary_description TEXT,
secondary_description TEXT,
index_code TEXT
);
CREATE TABLE Neighborhood
(
neighborhood_name TEXT
primary key,
community_area_no INTEGER,
foreign key (community_area_no) references Community_Area(community_area_no)
);
CREATE TABLE Ward
(
ward_no INTEGER
primary key,
alderman_first_name TEXT,
alderman_last_name TEXT,
alderman_name_suffix TEXT,
ward_office_address TEXT,
ward_office_zip TEXT,
ward_email TEXT,
ward_office_phone TEXT,
ward_office_fax TEXT,
city_hall_office_room INTEGER,
city_hall_office_phone TEXT,
city_hall_office_fax TEXT,
Population INTEGER
);
CREATE TABLE Crime
(
report_no INTEGER
primary key,
case_number TEXT,
date TEXT,
block TEXT,
iucr_no TEXT,
location_description TEXT,
arrest TEXT,
domestic TEXT,
beat INTEGER,
district_no INTEGER,
ward_no INTEGER,
community_area_no INTEGER,
fbi_code_no TEXT,
latitude TEXT,
longitude TEXT,
foreign key (ward_no) references Ward(ward_no),
foreign key (iucr_no) references IUCR(iucr_no),
foreign key (district_no) references District(district_no),
foreign key (community_area_no) references Community_Area(community_area_no),
foreign key (fbi_code_no) references FBI_Code(fbi_code_no)
);
|
movie_3 | What is the average rental rate of sci-fi film titles? | sci-fi film refers to category.name = 'Sci-Fi'; average rental rate = avg(rental_rate) | SELECT AVG(T1.rental_rate) FROM film AS T1 INNER JOIN film_category AS T2 ON T1.film_id = T2.film_id INNER JOIN category AS T3 ON T3.category_id = T2.category_id WHERE T3.`name` = 'Sci-Fi' | CREATE TABLE film_text
(
film_id INTEGER not null
primary key,
title TEXT not null,
description TEXT null
);
CREATE TABLE IF NOT EXISTS "actor"
(
actor_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "address"
(
address_id INTEGER
primary key autoincrement,
address TEXT not null,
address2 TEXT,
district TEXT not null,
city_id INTEGER not null
references city
on update cascade,
postal_code TEXT,
phone TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "category"
(
category_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "city"
(
city_id INTEGER
primary key autoincrement,
city TEXT not null,
country_id INTEGER not null
references country
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "country"
(
country_id INTEGER
primary key autoincrement,
country TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "customer"
(
customer_id INTEGER
primary key autoincrement,
store_id INTEGER not null
references store
on update cascade,
first_name TEXT not null,
last_name TEXT not null,
email TEXT,
address_id INTEGER not null
references address
on update cascade,
active INTEGER default 1 not null,
create_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film"
(
film_id INTEGER
primary key autoincrement,
title TEXT not null,
description TEXT,
release_year TEXT,
language_id INTEGER not null
references language
on update cascade,
original_language_id INTEGER
references language
on update cascade,
rental_duration INTEGER default 3 not null,
rental_rate REAL default 4.99 not null,
length INTEGER,
replacement_cost REAL default 19.99 not null,
rating TEXT default 'G',
special_features TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film_actor"
(
actor_id INTEGER not null
references actor
on update cascade,
film_id INTEGER not null
references film
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (actor_id, film_id)
);
CREATE TABLE IF NOT EXISTS "film_category"
(
film_id INTEGER not null
references film
on update cascade,
category_id INTEGER not null
references category
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (film_id, category_id)
);
CREATE TABLE IF NOT EXISTS "inventory"
(
inventory_id INTEGER
primary key autoincrement,
film_id INTEGER not null
references film
on update cascade,
store_id INTEGER not null
references store
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "language"
(
language_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "payment"
(
payment_id INTEGER
primary key autoincrement,
customer_id INTEGER not null
references customer
on update cascade,
staff_id INTEGER not null
references staff
on update cascade,
rental_id INTEGER
references rental
on update cascade on delete set null,
amount REAL not null,
payment_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "rental"
(
rental_id INTEGER
primary key autoincrement,
rental_date DATETIME not null,
inventory_id INTEGER not null
references inventory
on update cascade,
customer_id INTEGER not null
references customer
on update cascade,
return_date DATETIME,
staff_id INTEGER not null
references staff
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
unique (rental_date, inventory_id, customer_id)
);
CREATE TABLE IF NOT EXISTS "staff"
(
staff_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
address_id INTEGER not null
references address
on update cascade,
picture BLOB,
email TEXT,
store_id INTEGER not null
references store
on update cascade,
active INTEGER default 1 not null,
username TEXT not null,
password TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "store"
(
store_id INTEGER
primary key autoincrement,
manager_staff_id INTEGER not null
unique
references staff
on update cascade,
address_id INTEGER not null
references address
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
|
disney | Provide the title, director, and release date of the movie voice-acted by Freddie Jones. | Freddie Jones refers to voice-actor = 'Freddie Jones'; title refers to movie_title; | SELECT T1.movie, T3.director, T2.release_date FROM `voice-actors` AS T1 INNER JOIN characters AS T2 ON T1.movie = T2.movie_title INNER JOIN director AS T3 ON T3.name = T2.movie_title WHERE T1.`voice-actor` = 'Freddie Jones' | CREATE TABLE characters
(
movie_title TEXT
primary key,
release_date TEXT,
hero TEXT,
villian TEXT,
song TEXT,
foreign key (hero) references "voice-actors"(character)
);
CREATE TABLE director
(
name TEXT
primary key,
director TEXT,
foreign key (name) references characters(movie_title)
);
CREATE TABLE movies_total_gross
(
movie_title TEXT,
release_date TEXT,
genre TEXT,
MPAA_rating TEXT,
total_gross TEXT,
inflation_adjusted_gross TEXT,
primary key (movie_title, release_date),
foreign key (movie_title) references characters(movie_title)
);
CREATE TABLE revenue
(
Year INTEGER
primary key,
"Studio Entertainment[NI 1]" REAL,
"Disney Consumer Products[NI 2]" REAL,
"Disney Interactive[NI 3][Rev 1]" INTEGER,
"Walt Disney Parks and Resorts" REAL,
"Disney Media Networks" TEXT,
Total INTEGER
);
CREATE TABLE IF NOT EXISTS "voice-actors"
(
character TEXT
primary key,
"voice-actor" TEXT,
movie TEXT,
foreign key (movie) references characters(movie_title)
);
|
world_development_indicators | List the sources for the Net Migration in South American countries in 2002. | South American is the name of the region; Year contains '2002'; sources refer to Description; IndicatorName = 'Net migration'; | SELECT T2.Source FROM CountryNotes AS T1 INNER JOIN Series AS T2 ON T1.Seriescode = T2.SeriesCode INNER JOIN Country AS T3 ON T1.Countrycode = T3.CountryCode INNER JOIN SeriesNotes AS T4 ON T2.SeriesCode = T4.Seriescode WHERE T4.Year LIKE '%2002%' AND T2.IndicatorName = 'Net migration' | CREATE TABLE IF NOT EXISTS "Country"
(
CountryCode TEXT not null
primary key,
ShortName TEXT,
TableName TEXT,
LongName TEXT,
Alpha2Code TEXT,
CurrencyUnit TEXT,
SpecialNotes TEXT,
Region TEXT,
IncomeGroup TEXT,
Wb2Code TEXT,
NationalAccountsBaseYear TEXT,
NationalAccountsReferenceYear TEXT,
SnaPriceValuation TEXT,
LendingCategory TEXT,
OtherGroups TEXT,
SystemOfNationalAccounts TEXT,
AlternativeConversionFactor TEXT,
PppSurveyYear TEXT,
BalanceOfPaymentsManualInUse TEXT,
ExternalDebtReportingStatus TEXT,
SystemOfTrade TEXT,
GovernmentAccountingConcept TEXT,
ImfDataDisseminationStandard TEXT,
LatestPopulationCensus TEXT,
LatestHouseholdSurvey TEXT,
SourceOfMostRecentIncomeAndExpenditureData TEXT,
VitalRegistrationComplete TEXT,
LatestAgriculturalCensus TEXT,
LatestIndustrialData INTEGER,
LatestTradeData INTEGER,
LatestWaterWithdrawalData INTEGER
);
CREATE TABLE IF NOT EXISTS "Series"
(
SeriesCode TEXT not null
primary key,
Topic TEXT,
IndicatorName TEXT,
ShortDefinition TEXT,
LongDefinition TEXT,
UnitOfMeasure TEXT,
Periodicity TEXT,
BasePeriod TEXT,
OtherNotes INTEGER,
AggregationMethod TEXT,
LimitationsAndExceptions TEXT,
NotesFromOriginalSource TEXT,
GeneralComments TEXT,
Source TEXT,
StatisticalConceptAndMethodology TEXT,
DevelopmentRelevance TEXT,
RelatedSourceLinks TEXT,
OtherWebLinks INTEGER,
RelatedIndicators INTEGER,
LicenseType TEXT
);
CREATE TABLE CountryNotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Description TEXT,
primary key (Countrycode, Seriescode),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Footnotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Year TEXT,
Description TEXT,
primary key (Countrycode, Seriescode, Year),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Indicators
(
CountryName TEXT,
CountryCode TEXT NOT NULL ,
IndicatorName TEXT,
IndicatorCode TEXT NOT NULL ,
Year INTEGER NOT NULL ,
Value INTEGER,
primary key (CountryCode, IndicatorCode, Year),
FOREIGN KEY (CountryCode) REFERENCES Country(CountryCode)
);
CREATE TABLE SeriesNotes
(
Seriescode TEXT not null ,
Year TEXT not null ,
Description TEXT,
primary key (Seriescode, Year),
foreign key (Seriescode) references Series(SeriesCode)
);
|
public_review_platform | List the business ID of shopping business that have 4 stars ratings. | shopping business refers to category_name = 'Shopping'; 4 stars ratings refers to stars = 4 | SELECT T1.business_id FROM Business AS T1 INNER JOIN Business_Categories AS T2 ON T1.business_id = T2.business_id INNER JOIN Categories AS T3 ON T2.category_id = T3.category_id WHERE T3.category_name = 'Shopping' AND T1.stars = 4 | CREATE TABLE Attributes
(
attribute_id INTEGER
constraint Attributes_pk
primary key,
attribute_name TEXT
);
CREATE TABLE Categories
(
category_id INTEGER
constraint Categories_pk
primary key,
category_name TEXT
);
CREATE TABLE Compliments
(
compliment_id INTEGER
constraint Compliments_pk
primary key,
compliment_type TEXT
);
CREATE TABLE Days
(
day_id INTEGER
constraint Days_pk
primary key,
day_of_week TEXT
);
CREATE TABLE Years
(
year_id INTEGER
constraint Years_pk
primary key,
actual_year INTEGER
);
CREATE TABLE IF NOT EXISTS "Business_Attributes"
(
attribute_id INTEGER
constraint Business_Attributes_Attributes_attribute_id_fk
references Attributes,
business_id INTEGER
constraint Business_Attributes_Business_business_id_fk
references Business,
attribute_value TEXT,
constraint Business_Attributes_pk
primary key (attribute_id, business_id)
);
CREATE TABLE IF NOT EXISTS "Business_Categories"
(
business_id INTEGER
constraint Business_Categories_Business_business_id_fk
references Business,
category_id INTEGER
constraint Business_Categories_Categories_category_id_fk
references Categories,
constraint Business_Categories_pk
primary key (business_id, category_id)
);
CREATE TABLE IF NOT EXISTS "Business_Hours"
(
business_id INTEGER
constraint Business_Hours_Business_business_id_fk
references Business,
day_id INTEGER
constraint Business_Hours_Days_day_id_fk
references Days,
opening_time TEXT,
closing_time TEXT,
constraint Business_Hours_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Checkins"
(
business_id INTEGER
constraint Checkins_Business_business_id_fk
references Business,
day_id INTEGER
constraint Checkins_Days_day_id_fk
references Days,
label_time_0 TEXT,
label_time_1 TEXT,
label_time_2 TEXT,
label_time_3 TEXT,
label_time_4 TEXT,
label_time_5 TEXT,
label_time_6 TEXT,
label_time_7 TEXT,
label_time_8 TEXT,
label_time_9 TEXT,
label_time_10 TEXT,
label_time_11 TEXT,
label_time_12 TEXT,
label_time_13 TEXT,
label_time_14 TEXT,
label_time_15 TEXT,
label_time_16 TEXT,
label_time_17 TEXT,
label_time_18 TEXT,
label_time_19 TEXT,
label_time_20 TEXT,
label_time_21 TEXT,
label_time_22 TEXT,
label_time_23 TEXT,
constraint Checkins_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Elite"
(
user_id INTEGER
constraint Elite_Users_user_id_fk
references Users,
year_id INTEGER
constraint Elite_Years_year_id_fk
references Years,
constraint Elite_pk
primary key (user_id, year_id)
);
CREATE TABLE IF NOT EXISTS "Reviews"
(
business_id INTEGER
constraint Reviews_Business_business_id_fk
references Business,
user_id INTEGER
constraint Reviews_Users_user_id_fk
references Users,
review_stars INTEGER,
review_votes_funny TEXT,
review_votes_useful TEXT,
review_votes_cool TEXT,
review_length TEXT,
constraint Reviews_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Tips"
(
business_id INTEGER
constraint Tips_Business_business_id_fk
references Business,
user_id INTEGER
constraint Tips_Users_user_id_fk
references Users,
likes INTEGER,
tip_length TEXT,
constraint Tips_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Users_Compliments"
(
compliment_id INTEGER
constraint Users_Compliments_Compliments_compliment_id_fk
references Compliments,
user_id INTEGER
constraint Users_Compliments_Users_user_id_fk
references Users,
number_of_compliments TEXT,
constraint Users_Compliments_pk
primary key (compliment_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Business"
(
business_id INTEGER
constraint Business_pk
primary key,
active TEXT,
city TEXT,
state TEXT,
stars REAL,
review_count TEXT
);
CREATE TABLE IF NOT EXISTS "Users"
(
user_id INTEGER
constraint Users_pk
primary key,
user_yelping_since_year INTEGER,
user_average_stars TEXT,
user_votes_funny TEXT,
user_votes_useful TEXT,
user_votes_cool TEXT,
user_review_count TEXT,
user_fans TEXT
);
|
bike_share_1 | How many trips with a bike borrowed from the stations in San Francisco were made by a subscriber? | bike was borrowed from refers to start_station_id; San Francisco refers to city = 'San Francisco'; subscriber refers to subscription_type = 'Subscriber'; | SELECT COUNT(T1.id) FROM trip AS T1 INNER JOIN station AS T2 ON T2.ID = T1.start_station_id WHERE T2.city = 'San Francisco' AND T1.subscription_type = 'Subscriber' | CREATE TABLE IF NOT EXISTS "station"
(
id INTEGER not null
primary key,
name TEXT,
lat REAL,
long REAL,
dock_count INTEGER,
city TEXT,
installation_date TEXT
);
CREATE TABLE IF NOT EXISTS "status"
(
station_id INTEGER,
bikes_available INTEGER,
docks_available INTEGER,
time TEXT
);
CREATE TABLE IF NOT EXISTS "trip"
(
id INTEGER not null
primary key,
duration INTEGER,
start_date TEXT,
start_station_name TEXT,
start_station_id INTEGER,
end_date TEXT,
end_station_name TEXT,
end_station_id INTEGER,
bike_id INTEGER,
subscription_type TEXT,
zip_code INTEGER
);
CREATE TABLE IF NOT EXISTS "weather"
(
date TEXT,
max_temperature_f INTEGER,
mean_temperature_f INTEGER,
min_temperature_f INTEGER,
max_dew_point_f INTEGER,
mean_dew_point_f INTEGER,
min_dew_point_f INTEGER,
max_humidity INTEGER,
mean_humidity INTEGER,
min_humidity INTEGER,
max_sea_level_pressure_inches REAL,
mean_sea_level_pressure_inches REAL,
min_sea_level_pressure_inches REAL,
max_visibility_miles INTEGER,
mean_visibility_miles INTEGER,
min_visibility_miles INTEGER,
max_wind_Speed_mph INTEGER,
mean_wind_speed_mph INTEGER,
max_gust_speed_mph INTEGER,
precipitation_inches TEXT,
cloud_cover INTEGER,
events TEXT,
wind_dir_degrees INTEGER,
zip_code TEXT
);
|
hockey | Please list the years in which the NHL League had shots recorded while the goalie was on the ice. | shots recorded while the goalie was on the ice refers to SA IS NOT NULL; NHL League refers to lgID = 'NHL' | SELECT DISTINCT year FROM Goalies WHERE lgID = 'NHL' AND SA IS NOT NULL | CREATE TABLE AwardsMisc
(
name TEXT not null
primary key,
ID TEXT,
award TEXT,
year INTEGER,
lgID TEXT,
note TEXT
);
CREATE TABLE HOF
(
year INTEGER,
hofID TEXT not null
primary key,
name TEXT,
category TEXT
);
CREATE TABLE Teams
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
franchID TEXT,
confID TEXT,
divID TEXT,
rank INTEGER,
playoff TEXT,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
OTL TEXT,
Pts INTEGER,
SoW TEXT,
SoL TEXT,
GF INTEGER,
GA INTEGER,
name TEXT,
PIM TEXT,
BenchMinor TEXT,
PPG TEXT,
PPC TEXT,
SHA TEXT,
PKG TEXT,
PKC TEXT,
SHF TEXT,
primary key (year, tmID)
);
CREATE TABLE Coaches
(
coachID TEXT not null,
year INTEGER not null,
tmID TEXT not null,
lgID TEXT,
stint INTEGER not null,
notes TEXT,
g INTEGER,
w INTEGER,
l INTEGER,
t INTEGER,
postg TEXT,
postw TEXT,
postl TEXT,
postt TEXT,
primary key (coachID, year, tmID, stint),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE AwardsCoaches
(
coachID TEXT,
award TEXT,
year INTEGER,
lgID TEXT,
note TEXT,
foreign key (coachID) references Coaches (coachID)
);
CREATE TABLE Master
(
playerID TEXT,
coachID TEXT,
hofID TEXT,
firstName TEXT,
lastName TEXT not null,
nameNote TEXT,
nameGiven TEXT,
nameNick TEXT,
height TEXT,
weight TEXT,
shootCatch TEXT,
legendsID TEXT,
ihdbID TEXT,
hrefID TEXT,
firstNHL TEXT,
lastNHL TEXT,
firstWHA TEXT,
lastWHA TEXT,
pos TEXT,
birthYear TEXT,
birthMon TEXT,
birthDay TEXT,
birthCountry TEXT,
birthState TEXT,
birthCity TEXT,
deathYear TEXT,
deathMon TEXT,
deathDay TEXT,
deathCountry TEXT,
deathState TEXT,
deathCity TEXT,
foreign key (coachID) references Coaches (coachID)
on update cascade on delete cascade
);
CREATE TABLE AwardsPlayers
(
playerID TEXT not null,
award TEXT not null,
year INTEGER not null,
lgID TEXT,
note TEXT,
pos TEXT,
primary key (playerID, award, year),
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE CombinedShutouts
(
year INTEGER,
month INTEGER,
date INTEGER,
tmID TEXT,
oppID TEXT,
"R/P" TEXT,
IDgoalie1 TEXT,
IDgoalie2 TEXT,
foreign key (IDgoalie1) references Master (playerID)
on update cascade on delete cascade,
foreign key (IDgoalie2) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE Goalies
(
playerID TEXT not null,
year INTEGER not null,
stint INTEGER not null,
tmID TEXT,
lgID TEXT,
GP TEXT,
Min TEXT,
W TEXT,
L TEXT,
"T/OL" TEXT,
ENG TEXT,
SHO TEXT,
GA TEXT,
SA TEXT,
PostGP TEXT,
PostMin TEXT,
PostW TEXT,
PostL TEXT,
PostT TEXT,
PostENG TEXT,
PostSHO TEXT,
PostGA TEXT,
PostSA TEXT,
primary key (playerID, year, stint),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE GoaliesSC
(
playerID TEXT not null,
year INTEGER not null,
tmID TEXT,
lgID TEXT,
GP INTEGER,
Min INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
SHO INTEGER,
GA INTEGER,
primary key (playerID, year),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE GoaliesShootout
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
W INTEGER,
L INTEGER,
SA INTEGER,
GA INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE Scoring
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
lgID TEXT,
pos TEXT,
GP INTEGER,
G INTEGER,
A INTEGER,
Pts INTEGER,
PIM INTEGER,
"+/-" TEXT,
PPG TEXT,
PPA TEXT,
SHG TEXT,
SHA TEXT,
GWG TEXT,
GTG TEXT,
SOG TEXT,
PostGP TEXT,
PostG TEXT,
PostA TEXT,
PostPts TEXT,
PostPIM TEXT,
"Post+/-" TEXT,
PostPPG TEXT,
PostPPA TEXT,
PostSHG TEXT,
PostSHA TEXT,
PostGWG TEXT,
PostSOG TEXT,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringSC
(
playerID TEXT,
year INTEGER,
tmID TEXT,
lgID TEXT,
pos TEXT,
GP INTEGER,
G INTEGER,
A INTEGER,
Pts INTEGER,
PIM INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringShootout
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
S INTEGER,
G INTEGER,
GDG INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringSup
(
playerID TEXT,
year INTEGER,
PPA TEXT,
SHA TEXT,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE SeriesPost
(
year INTEGER,
round TEXT,
series TEXT,
tmIDWinner TEXT,
lgIDWinner TEXT,
tmIDLoser TEXT,
lgIDLoser TEXT,
W INTEGER,
L INTEGER,
T INTEGER,
GoalsWinner INTEGER,
GoalsLoser INTEGER,
note TEXT,
foreign key (year, tmIDWinner) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (year, tmIDLoser) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamSplits
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
hW INTEGER,
hL INTEGER,
hT INTEGER,
hOTL TEXT,
rW INTEGER,
rL INTEGER,
rT INTEGER,
rOTL TEXT,
SepW TEXT,
SepL TEXT,
SepT TEXT,
SepOL TEXT,
OctW TEXT,
OctL TEXT,
OctT TEXT,
OctOL TEXT,
NovW TEXT,
NovL TEXT,
NovT TEXT,
NovOL TEXT,
DecW TEXT,
DecL TEXT,
DecT TEXT,
DecOL TEXT,
JanW INTEGER,
JanL INTEGER,
JanT INTEGER,
JanOL TEXT,
FebW INTEGER,
FebL INTEGER,
FebT INTEGER,
FebOL TEXT,
MarW TEXT,
MarL TEXT,
MarT TEXT,
MarOL TEXT,
AprW TEXT,
AprL TEXT,
AprT TEXT,
AprOL TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamVsTeam
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
oppID TEXT not null,
W INTEGER,
L INTEGER,
T INTEGER,
OTL TEXT,
primary key (year, tmID, oppID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (oppID, year) references Teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE TeamsHalf
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
half INTEGER not null,
rank INTEGER,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
primary key (year, tmID, half),
foreign key (tmID, year) references Teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE TeamsPost
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
PIM TEXT,
BenchMinor TEXT,
PPG TEXT,
PPC TEXT,
SHA TEXT,
PKG TEXT,
PKC TEXT,
SHF TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamsSC
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
PIM TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE abbrev
(
Type TEXT not null,
Code TEXT not null,
Fullname TEXT,
primary key (Type, Code)
);
|
shakespeare | What is the description of the chapter with the longest number of paragraphs? | chapter with the longest number of paragraphs refers to max(ParagraphNum) | SELECT T2.Description FROM paragraphs AS T1 INNER JOIN chapters AS T2 ON T1.chapter_id = T2.id ORDER BY T1.ParagraphNum DESC LIMIT 1 | CREATE TABLE IF NOT EXISTS "chapters"
(
id INTEGER
primary key autoincrement,
Act INTEGER not null,
Scene INTEGER not null,
Description TEXT not null,
work_id INTEGER not null
references works
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "characters"
(
id INTEGER
primary key autoincrement,
CharName TEXT not null,
Abbrev TEXT not null,
Description TEXT not null
);
CREATE TABLE IF NOT EXISTS "paragraphs"
(
id INTEGER
primary key autoincrement,
ParagraphNum INTEGER not null,
PlainText TEXT not null,
character_id INTEGER not null
references characters,
chapter_id INTEGER default 0 not null
references chapters
);
CREATE TABLE IF NOT EXISTS "works"
(
id INTEGER
primary key autoincrement,
Title TEXT not null,
LongTitle TEXT not null,
Date INTEGER not null,
GenreType TEXT not null
);
|
menu | Among the menus that include milk, what is the menu page id of the menu that has the highest price? | milk is a name of dish; highest price refers to MAX(price); | SELECT T1.menu_page_id FROM MenuItem AS T1 INNER JOIN Dish AS T2 ON T2.id = T1.dish_id WHERE T2.name = 'Milk' ORDER BY T1.price DESC LIMIT 1 | CREATE TABLE Dish
(
id INTEGER
primary key,
name TEXT,
description TEXT,
menus_appeared INTEGER,
times_appeared INTEGER,
first_appeared INTEGER,
last_appeared INTEGER,
lowest_price REAL,
highest_price REAL
);
CREATE TABLE Menu
(
id INTEGER
primary key,
name TEXT,
sponsor TEXT,
event TEXT,
venue TEXT,
place TEXT,
physical_description TEXT,
occasion TEXT,
notes TEXT,
call_number TEXT,
keywords TEXT,
language TEXT,
date DATE,
location TEXT,
location_type TEXT,
currency TEXT,
currency_symbol TEXT,
status TEXT,
page_count INTEGER,
dish_count INTEGER
);
CREATE TABLE MenuPage
(
id INTEGER
primary key,
menu_id INTEGER,
page_number INTEGER,
image_id REAL,
full_height INTEGER,
full_width INTEGER,
uuid TEXT,
foreign key (menu_id) references Menu(id)
);
CREATE TABLE MenuItem
(
id INTEGER
primary key,
menu_page_id INTEGER,
price REAL,
high_price REAL,
dish_id INTEGER,
created_at TEXT,
updated_at TEXT,
xpos REAL,
ypos REAL,
foreign key (dish_id) references Dish(id),
foreign key (menu_page_id) references MenuPage(id)
);
|
car_retails | What is the phone number of all companies where the last name of the contact person starts with the letter M and are not from Germany? | last name of contact person starts with M refers to lastName LIKE 'M%'; Germany is a country; not from Germany refers to country<>'Germany'; | SELECT phone FROM customers WHERE contactLastName LIKE 'M%' AND country != 'Germany' | CREATE TABLE offices
(
officeCode TEXT not null
primary key,
city TEXT not null,
phone TEXT not null,
addressLine1 TEXT not null,
addressLine2 TEXT,
state TEXT,
country TEXT not null,
postalCode TEXT not null,
territory TEXT not null
);
CREATE TABLE employees
(
employeeNumber INTEGER not null
primary key,
lastName TEXT not null,
firstName TEXT not null,
extension TEXT not null,
email TEXT not null,
officeCode TEXT not null,
reportsTo INTEGER,
jobTitle TEXT not null,
foreign key (officeCode) references offices(officeCode),
foreign key (reportsTo) references employees(employeeNumber)
);
CREATE TABLE customers
(
customerNumber INTEGER not null
primary key,
customerName TEXT not null,
contactLastName TEXT not null,
contactFirstName TEXT not null,
phone TEXT not null,
addressLine1 TEXT not null,
addressLine2 TEXT,
city TEXT not null,
state TEXT,
postalCode TEXT,
country TEXT not null,
salesRepEmployeeNumber INTEGER,
creditLimit REAL,
foreign key (salesRepEmployeeNumber) references employees(employeeNumber)
);
CREATE TABLE orders
(
orderNumber INTEGER not null
primary key,
orderDate DATE not null,
requiredDate DATE not null,
shippedDate DATE,
status TEXT not null,
comments TEXT,
customerNumber INTEGER not null,
foreign key (customerNumber) references customers(customerNumber)
);
CREATE TABLE payments
(
customerNumber INTEGER not null,
checkNumber TEXT not null,
paymentDate DATE not null,
amount REAL not null,
primary key (customerNumber, checkNumber),
foreign key (customerNumber) references customers(customerNumber)
);
CREATE TABLE productlines
(
productLine TEXT not null
primary key,
textDescription TEXT,
htmlDescription TEXT,
image BLOB
);
CREATE TABLE products
(
productCode TEXT not null
primary key,
productName TEXT not null,
productLine TEXT not null,
productScale TEXT not null,
productVendor TEXT not null,
productDescription TEXT not null,
quantityInStock INTEGER not null,
buyPrice REAL not null,
MSRP REAL not null,
foreign key (productLine) references productlines(productLine)
);
CREATE TABLE IF NOT EXISTS "orderdetails"
(
orderNumber INTEGER not null
references orders,
productCode TEXT not null
references products,
quantityOrdered INTEGER not null,
priceEach REAL not null,
orderLineNumber INTEGER not null,
primary key (orderNumber, productCode)
);
|
olympics | Who is the youngest person who participated in the Olympics? | Who is the youngest person refers to full_name where MIN(age); | SELECT T1.full_name FROM person AS T1 INNER JOIN games_competitor AS T2 ON T1.id = T2.person_id ORDER BY T2.age LIMIT 1 | CREATE TABLE city
(
id INTEGER not null
primary key,
city_name TEXT default NULL
);
CREATE TABLE games
(
id INTEGER not null
primary key,
games_year INTEGER default NULL,
games_name TEXT default NULL,
season TEXT default NULL
);
CREATE TABLE games_city
(
games_id INTEGER default NULL,
city_id INTEGER default NULL,
foreign key (city_id) references city(id),
foreign key (games_id) references games(id)
);
CREATE TABLE medal
(
id INTEGER not null
primary key,
medal_name TEXT default NULL
);
CREATE TABLE noc_region
(
id INTEGER not null
primary key,
noc TEXT default NULL,
region_name TEXT default NULL
);
CREATE TABLE person
(
id INTEGER not null
primary key,
full_name TEXT default NULL,
gender TEXT default NULL,
height INTEGER default NULL,
weight INTEGER default NULL
);
CREATE TABLE games_competitor
(
id INTEGER not null
primary key,
games_id INTEGER default NULL,
person_id INTEGER default NULL,
age INTEGER default NULL,
foreign key (games_id) references games(id),
foreign key (person_id) references person(id)
);
CREATE TABLE person_region
(
person_id INTEGER default NULL,
region_id INTEGER default NULL,
foreign key (person_id) references person(id),
foreign key (region_id) references noc_region(id)
);
CREATE TABLE sport
(
id INTEGER not null
primary key,
sport_name TEXT default NULL
);
CREATE TABLE event
(
id INTEGER not null
primary key,
sport_id INTEGER default NULL,
event_name TEXT default NULL,
foreign key (sport_id) references sport(id)
);
CREATE TABLE competitor_event
(
event_id INTEGER default NULL,
competitor_id INTEGER default NULL,
medal_id INTEGER default NULL,
foreign key (competitor_id) references games_competitor(id),
foreign key (event_id) references event(id),
foreign key (medal_id) references medal(id)
);
|
restaurant | In which counties are there A&W Root Beer Restaurants? | A&W Root Beer Restaurant refers to label = 'a & w root beer' | SELECT DISTINCT T2.county FROM generalinfo AS T1 INNER JOIN geographic AS T2 ON T1.city = T2.city WHERE T1.label = 'a & w root beer' | CREATE TABLE geographic
(
city TEXT not null
primary key,
county TEXT null,
region TEXT null
);
CREATE TABLE generalinfo
(
id_restaurant INTEGER not null
primary key,
label TEXT null,
food_type TEXT null,
city TEXT null,
review REAL null,
foreign key (city) references geographic(city)
on update cascade on delete cascade
);
CREATE TABLE location
(
id_restaurant INTEGER not null
primary key,
street_num INTEGER null,
street_name TEXT null,
city TEXT null,
foreign key (city) references geographic (city)
on update cascade on delete cascade,
foreign key (id_restaurant) references generalinfo (id_restaurant)
on update cascade on delete cascade
);
|
works_cycles | List the name of the rates that apply to the provinces that are in the territory that obtained the greatest increase in sales with respect to the previous year. | sales of previous year refers to SalesLastYear; SalesYTD refers to year to date sales; increase in sales = DIVIDE(SUBTRACT(SalesYTD, SalesLastYear), SalesLastYear)*100 | SELECT T2.Name FROM SalesTerritory AS T1 INNER JOIN StateProvince AS T2 ON T1.CountryRegionCode = T2.CountryRegionCode INNER JOIN SalesTaxRate AS T3 ON T2.StateProvinceID = T3.StateProvinceID ORDER BY (T1.SalesYTD - T1.SalesLastYear) / T1.SalesLastYear DESC LIMIT 1 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
book_publishing_company | Which date has the most ordered quantity? What is the total order quantity on that day? | total quantity refers to qty; most ordered quantity refers to order with the highest quantity where MAX(sum(qty)) | SELECT ord_date, SUM(qty) FROM sales GROUP BY ord_date ORDER BY SUM(qty) DESC LIMIT 1 | CREATE TABLE authors
(
au_id TEXT
primary key,
au_lname TEXT not null,
au_fname TEXT not null,
phone TEXT not null,
address TEXT,
city TEXT,
state TEXT,
zip TEXT,
contract TEXT not null
);
CREATE TABLE jobs
(
job_id INTEGER
primary key,
job_desc TEXT not null,
min_lvl INTEGER not null,
max_lvl INTEGER not null
);
CREATE TABLE publishers
(
pub_id TEXT
primary key,
pub_name TEXT,
city TEXT,
state TEXT,
country TEXT
);
CREATE TABLE employee
(
emp_id TEXT
primary key,
fname TEXT not null,
minit TEXT,
lname TEXT not null,
job_id INTEGER not null,
job_lvl INTEGER,
pub_id TEXT not null,
hire_date DATETIME not null,
foreign key (job_id) references jobs(job_id)
on update cascade on delete cascade,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE pub_info
(
pub_id TEXT
primary key,
logo BLOB,
pr_info TEXT,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE stores
(
stor_id TEXT
primary key,
stor_name TEXT,
stor_address TEXT,
city TEXT,
state TEXT,
zip TEXT
);
CREATE TABLE discounts
(
discounttype TEXT not null,
stor_id TEXT,
lowqty INTEGER,
highqty INTEGER,
discount REAL not null,
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade
);
CREATE TABLE titles
(
title_id TEXT
primary key,
title TEXT not null,
type TEXT not null,
pub_id TEXT,
price REAL,
advance REAL,
royalty INTEGER,
ytd_sales INTEGER,
notes TEXT,
pubdate DATETIME not null,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE roysched
(
title_id TEXT not null,
lorange INTEGER,
hirange INTEGER,
royalty INTEGER,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE sales
(
stor_id TEXT not null,
ord_num TEXT not null,
ord_date DATETIME not null,
qty INTEGER not null,
payterms TEXT not null,
title_id TEXT not null,
primary key (stor_id, ord_num, title_id),
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE titleauthor
(
au_id TEXT not null,
title_id TEXT not null,
au_ord INTEGER,
royaltyper INTEGER,
primary key (au_id, title_id),
foreign key (au_id) references authors(au_id)
on update cascade on delete cascade,
foreign key (title_id) references titles (title_id)
on update cascade on delete cascade
);
|
simpson_episodes | List the stars of episodes aired in November 2008. | in November 2008 refers to air_date LIKE '2008-11%' | SELECT T2.stars FROM Episode AS T1 INNER JOIN Vote AS T2 ON T2.episode_id = T1.episode_id WHERE SUBSTR(T1.air_date, 1, 7) = '2008-11'; | CREATE TABLE IF NOT EXISTS "Episode"
(
episode_id TEXT
constraint Episode_pk
primary key,
season INTEGER,
episode INTEGER,
number_in_series INTEGER,
title TEXT,
summary TEXT,
air_date TEXT,
episode_image TEXT,
rating REAL,
votes INTEGER
);
CREATE TABLE Person
(
name TEXT
constraint Person_pk
primary key,
birthdate TEXT,
birth_name TEXT,
birth_place TEXT,
birth_region TEXT,
birth_country TEXT,
height_meters REAL,
nickname TEXT
);
CREATE TABLE Award
(
award_id INTEGER
primary key,
organization TEXT,
year INTEGER,
award_category TEXT,
award TEXT,
person TEXT,
role TEXT,
episode_id TEXT,
season TEXT,
song TEXT,
result TEXT,
foreign key (person) references Person(name),
foreign key (episode_id) references Episode(episode_id)
);
CREATE TABLE Character_Award
(
award_id INTEGER,
character TEXT,
foreign key (award_id) references Award(award_id)
);
CREATE TABLE Credit
(
episode_id TEXT,
category TEXT,
person TEXT,
role TEXT,
credited TEXT,
foreign key (episode_id) references Episode(episode_id),
foreign key (person) references Person(name)
);
CREATE TABLE Keyword
(
episode_id TEXT,
keyword TEXT,
primary key (episode_id, keyword),
foreign key (episode_id) references Episode(episode_id)
);
CREATE TABLE Vote
(
episode_id TEXT,
stars INTEGER,
votes INTEGER,
percent REAL,
foreign key (episode_id) references Episode(episode_id)
);
|
world_development_indicators | Among the countries in the group of Heavily Indebted Poor Countries, how many of them are under the lending category of the International Development Associations? | group of Heavily Indebted Poor Countries is OtherGroups = 'HIPC'; International Development Associations refers to lendingcategory = 'IDA' | SELECT COUNT(CountryCode) FROM Country WHERE LendingCategory = 'IDA' AND OtherGroups = 'HIPC' | CREATE TABLE IF NOT EXISTS "Country"
(
CountryCode TEXT not null
primary key,
ShortName TEXT,
TableName TEXT,
LongName TEXT,
Alpha2Code TEXT,
CurrencyUnit TEXT,
SpecialNotes TEXT,
Region TEXT,
IncomeGroup TEXT,
Wb2Code TEXT,
NationalAccountsBaseYear TEXT,
NationalAccountsReferenceYear TEXT,
SnaPriceValuation TEXT,
LendingCategory TEXT,
OtherGroups TEXT,
SystemOfNationalAccounts TEXT,
AlternativeConversionFactor TEXT,
PppSurveyYear TEXT,
BalanceOfPaymentsManualInUse TEXT,
ExternalDebtReportingStatus TEXT,
SystemOfTrade TEXT,
GovernmentAccountingConcept TEXT,
ImfDataDisseminationStandard TEXT,
LatestPopulationCensus TEXT,
LatestHouseholdSurvey TEXT,
SourceOfMostRecentIncomeAndExpenditureData TEXT,
VitalRegistrationComplete TEXT,
LatestAgriculturalCensus TEXT,
LatestIndustrialData INTEGER,
LatestTradeData INTEGER,
LatestWaterWithdrawalData INTEGER
);
CREATE TABLE IF NOT EXISTS "Series"
(
SeriesCode TEXT not null
primary key,
Topic TEXT,
IndicatorName TEXT,
ShortDefinition TEXT,
LongDefinition TEXT,
UnitOfMeasure TEXT,
Periodicity TEXT,
BasePeriod TEXT,
OtherNotes INTEGER,
AggregationMethod TEXT,
LimitationsAndExceptions TEXT,
NotesFromOriginalSource TEXT,
GeneralComments TEXT,
Source TEXT,
StatisticalConceptAndMethodology TEXT,
DevelopmentRelevance TEXT,
RelatedSourceLinks TEXT,
OtherWebLinks INTEGER,
RelatedIndicators INTEGER,
LicenseType TEXT
);
CREATE TABLE CountryNotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Description TEXT,
primary key (Countrycode, Seriescode),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Footnotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Year TEXT,
Description TEXT,
primary key (Countrycode, Seriescode, Year),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Indicators
(
CountryName TEXT,
CountryCode TEXT NOT NULL ,
IndicatorName TEXT,
IndicatorCode TEXT NOT NULL ,
Year INTEGER NOT NULL ,
Value INTEGER,
primary key (CountryCode, IndicatorCode, Year),
FOREIGN KEY (CountryCode) REFERENCES Country(CountryCode)
);
CREATE TABLE SeriesNotes
(
Seriescode TEXT not null ,
Year TEXT not null ,
Description TEXT,
primary key (Seriescode, Year),
foreign key (Seriescode) references Series(SeriesCode)
);
|
soccer_2016 | List the id of the player who won the Orange Cap for 2 consecutive seasons. | id of the player who won the Orange Cap refers to Orange_Cap; for 2 consecutive seasons refers to count(Season_Year) > 1 | SELECT Orange_Cap FROM Season GROUP BY Orange_Cap HAVING COUNT(Season_Year) > 1 | CREATE TABLE Batting_Style
(
Batting_Id INTEGER
primary key,
Batting_hand TEXT
);
CREATE TABLE Bowling_Style
(
Bowling_Id INTEGER
primary key,
Bowling_skill TEXT
);
CREATE TABLE City
(
City_Id INTEGER
primary key,
City_Name TEXT,
Country_id INTEGER
);
CREATE TABLE Country
(
Country_Id INTEGER
primary key,
Country_Name TEXT,
foreign key (Country_Id) references Country(Country_Id)
);
CREATE TABLE Extra_Type
(
Extra_Id INTEGER
primary key,
Extra_Name TEXT
);
CREATE TABLE Extra_Runs
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Extra_Type_Id INTEGER,
Extra_Runs INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Extra_Type_Id) references Extra_Type(Extra_Id)
);
CREATE TABLE Out_Type
(
Out_Id INTEGER
primary key,
Out_Name TEXT
);
CREATE TABLE Outcome
(
Outcome_Id INTEGER
primary key,
Outcome_Type TEXT
);
CREATE TABLE Player
(
Player_Id INTEGER
primary key,
Player_Name TEXT,
DOB DATE,
Batting_hand INTEGER,
Bowling_skill INTEGER,
Country_Name INTEGER,
foreign key (Batting_hand) references Batting_Style(Batting_Id),
foreign key (Bowling_skill) references Bowling_Style(Bowling_Id),
foreign key (Country_Name) references Country(Country_Id)
);
CREATE TABLE Rolee
(
Role_Id INTEGER
primary key,
Role_Desc TEXT
);
CREATE TABLE Season
(
Season_Id INTEGER
primary key,
Man_of_the_Series INTEGER,
Orange_Cap INTEGER,
Purple_Cap INTEGER,
Season_Year INTEGER
);
CREATE TABLE Team
(
Team_Id INTEGER
primary key,
Team_Name TEXT
);
CREATE TABLE Toss_Decision
(
Toss_Id INTEGER
primary key,
Toss_Name TEXT
);
CREATE TABLE Umpire
(
Umpire_Id INTEGER
primary key,
Umpire_Name TEXT,
Umpire_Country INTEGER,
foreign key (Umpire_Country) references Country(Country_Id)
);
CREATE TABLE Venue
(
Venue_Id INTEGER
primary key,
Venue_Name TEXT,
City_Id INTEGER,
foreign key (City_Id) references City(City_Id)
);
CREATE TABLE Win_By
(
Win_Id INTEGER
primary key,
Win_Type TEXT
);
CREATE TABLE Match
(
Match_Id INTEGER
primary key,
Team_1 INTEGER,
Team_2 INTEGER,
Match_Date DATE,
Season_Id INTEGER,
Venue_Id INTEGER,
Toss_Winner INTEGER,
Toss_Decide INTEGER,
Win_Type INTEGER,
Win_Margin INTEGER,
Outcome_type INTEGER,
Match_Winner INTEGER,
Man_of_the_Match INTEGER,
foreign key (Team_1) references Team(Team_Id),
foreign key (Team_2) references Team(Team_Id),
foreign key (Season_Id) references Season(Season_Id),
foreign key (Venue_Id) references Venue(Venue_Id),
foreign key (Toss_Winner) references Team(Team_Id),
foreign key (Toss_Decide) references Toss_Decision(Toss_Id),
foreign key (Win_Type) references Win_By(Win_Id),
foreign key (Outcome_type) references Out_Type(Out_Id),
foreign key (Match_Winner) references Team(Team_Id),
foreign key (Man_of_the_Match) references Player(Player_Id)
);
CREATE TABLE Ball_by_Ball
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Innings_No INTEGER,
Team_Batting INTEGER,
Team_Bowling INTEGER,
Striker_Batting_Position INTEGER,
Striker INTEGER,
Non_Striker INTEGER,
Bowler INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Batsman_Scored
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Runs_Scored INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Player_Match
(
Match_Id INTEGER,
Player_Id INTEGER,
Role_Id INTEGER,
Team_Id INTEGER,
primary key (Match_Id, Player_Id, Role_Id),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Id) references Player(Player_Id),
foreign key (Team_Id) references Team(Team_Id),
foreign key (Role_Id) references Rolee(Role_Id)
);
CREATE TABLE Wicket_Taken
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Player_Out INTEGER,
Kind_Out INTEGER,
Fielders INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Out) references Player(Player_Id),
foreign key (Kind_Out) references Out_Type(Out_Id),
foreign key (Fielders) references Player(Player_Id)
);
|
olympics | How many athletes are there in the region where Clara Hughes is from? | SELECT COUNT(person_id) FROM person_region WHERE region_id = ( SELECT T1.region_id FROM person_region AS T1 INNER JOIN person AS T2 ON T1.person_id = T2.id WHERE T2.full_name = 'Clara Hughes' ) | CREATE TABLE city
(
id INTEGER not null
primary key,
city_name TEXT default NULL
);
CREATE TABLE games
(
id INTEGER not null
primary key,
games_year INTEGER default NULL,
games_name TEXT default NULL,
season TEXT default NULL
);
CREATE TABLE games_city
(
games_id INTEGER default NULL,
city_id INTEGER default NULL,
foreign key (city_id) references city(id),
foreign key (games_id) references games(id)
);
CREATE TABLE medal
(
id INTEGER not null
primary key,
medal_name TEXT default NULL
);
CREATE TABLE noc_region
(
id INTEGER not null
primary key,
noc TEXT default NULL,
region_name TEXT default NULL
);
CREATE TABLE person
(
id INTEGER not null
primary key,
full_name TEXT default NULL,
gender TEXT default NULL,
height INTEGER default NULL,
weight INTEGER default NULL
);
CREATE TABLE games_competitor
(
id INTEGER not null
primary key,
games_id INTEGER default NULL,
person_id INTEGER default NULL,
age INTEGER default NULL,
foreign key (games_id) references games(id),
foreign key (person_id) references person(id)
);
CREATE TABLE person_region
(
person_id INTEGER default NULL,
region_id INTEGER default NULL,
foreign key (person_id) references person(id),
foreign key (region_id) references noc_region(id)
);
CREATE TABLE sport
(
id INTEGER not null
primary key,
sport_name TEXT default NULL
);
CREATE TABLE event
(
id INTEGER not null
primary key,
sport_id INTEGER default NULL,
event_name TEXT default NULL,
foreign key (sport_id) references sport(id)
);
CREATE TABLE competitor_event
(
event_id INTEGER default NULL,
competitor_id INTEGER default NULL,
medal_id INTEGER default NULL,
foreign key (competitor_id) references games_competitor(id),
foreign key (event_id) references event(id),
foreign key (medal_id) references medal(id)
);
|
|
world_development_indicators | What is the series code for Germany and what is its description? | Germany refers to shortname = 'Germany' | SELECT T1.Seriescode, T1.Description FROM CountryNotes AS T1 INNER JOIN Country AS T2 ON T1.CountryCode = T2.CountryCode WHERE T2.ShortName = 'Germany' | CREATE TABLE IF NOT EXISTS "Country"
(
CountryCode TEXT not null
primary key,
ShortName TEXT,
TableName TEXT,
LongName TEXT,
Alpha2Code TEXT,
CurrencyUnit TEXT,
SpecialNotes TEXT,
Region TEXT,
IncomeGroup TEXT,
Wb2Code TEXT,
NationalAccountsBaseYear TEXT,
NationalAccountsReferenceYear TEXT,
SnaPriceValuation TEXT,
LendingCategory TEXT,
OtherGroups TEXT,
SystemOfNationalAccounts TEXT,
AlternativeConversionFactor TEXT,
PppSurveyYear TEXT,
BalanceOfPaymentsManualInUse TEXT,
ExternalDebtReportingStatus TEXT,
SystemOfTrade TEXT,
GovernmentAccountingConcept TEXT,
ImfDataDisseminationStandard TEXT,
LatestPopulationCensus TEXT,
LatestHouseholdSurvey TEXT,
SourceOfMostRecentIncomeAndExpenditureData TEXT,
VitalRegistrationComplete TEXT,
LatestAgriculturalCensus TEXT,
LatestIndustrialData INTEGER,
LatestTradeData INTEGER,
LatestWaterWithdrawalData INTEGER
);
CREATE TABLE IF NOT EXISTS "Series"
(
SeriesCode TEXT not null
primary key,
Topic TEXT,
IndicatorName TEXT,
ShortDefinition TEXT,
LongDefinition TEXT,
UnitOfMeasure TEXT,
Periodicity TEXT,
BasePeriod TEXT,
OtherNotes INTEGER,
AggregationMethod TEXT,
LimitationsAndExceptions TEXT,
NotesFromOriginalSource TEXT,
GeneralComments TEXT,
Source TEXT,
StatisticalConceptAndMethodology TEXT,
DevelopmentRelevance TEXT,
RelatedSourceLinks TEXT,
OtherWebLinks INTEGER,
RelatedIndicators INTEGER,
LicenseType TEXT
);
CREATE TABLE CountryNotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Description TEXT,
primary key (Countrycode, Seriescode),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Footnotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Year TEXT,
Description TEXT,
primary key (Countrycode, Seriescode, Year),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Indicators
(
CountryName TEXT,
CountryCode TEXT NOT NULL ,
IndicatorName TEXT,
IndicatorCode TEXT NOT NULL ,
Year INTEGER NOT NULL ,
Value INTEGER,
primary key (CountryCode, IndicatorCode, Year),
FOREIGN KEY (CountryCode) REFERENCES Country(CountryCode)
);
CREATE TABLE SeriesNotes
(
Seriescode TEXT not null ,
Year TEXT not null ,
Description TEXT,
primary key (Seriescode, Year),
foreign key (Seriescode) references Series(SeriesCode)
);
|
mondial_geo | The lake with the highest altitude is located in which city? | SELECT T2.City FROM lake AS T1 LEFT JOIN located AS T2 ON T2.Lake = T1.Name ORDER BY T1.Altitude DESC LIMIT 1 | CREATE TABLE IF NOT EXISTS "borders"
(
Country1 TEXT default '' not null
constraint borders_ibfk_1
references country,
Country2 TEXT default '' not null
constraint borders_ibfk_2
references country,
Length REAL,
primary key (Country1, Country2)
);
CREATE TABLE IF NOT EXISTS "city"
(
Name TEXT default '' not null,
Country TEXT default '' not null
constraint city_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
Population INTEGER,
Longitude REAL,
Latitude REAL,
primary key (Name, Province),
constraint city_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "continent"
(
Name TEXT default '' not null
primary key,
Area REAL
);
CREATE TABLE IF NOT EXISTS "country"
(
Name TEXT not null
constraint ix_county_Name
unique,
Code TEXT default '' not null
primary key,
Capital TEXT,
Province TEXT,
Area REAL,
Population INTEGER
);
CREATE TABLE IF NOT EXISTS "desert"
(
Name TEXT default '' not null
primary key,
Area REAL,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "economy"
(
Country TEXT default '' not null
primary key
constraint economy_ibfk_1
references country
on update cascade on delete cascade,
GDP REAL,
Agriculture REAL,
Service REAL,
Industry REAL,
Inflation REAL
);
CREATE TABLE IF NOT EXISTS "encompasses"
(
Country TEXT not null
constraint encompasses_ibfk_1
references country
on update cascade on delete cascade,
Continent TEXT not null
constraint encompasses_ibfk_2
references continent
on update cascade on delete cascade,
Percentage REAL,
primary key (Country, Continent)
);
CREATE TABLE IF NOT EXISTS "ethnicGroup"
(
Country TEXT default '' not null
constraint ethnicGroup_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "geo_desert"
(
Desert TEXT default '' not null
constraint geo_desert_ibfk_3
references desert
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_desert_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Desert),
constraint geo_desert_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_estuary"
(
River TEXT default '' not null
constraint geo_estuary_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_estuary_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_estuary_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_island"
(
Island TEXT default '' not null
constraint geo_island_ibfk_3
references island
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_island_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Island),
constraint geo_island_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_lake"
(
Lake TEXT default '' not null
constraint geo_lake_ibfk_3
references lake
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_lake_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Lake),
constraint geo_lake_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_mountain"
(
Mountain TEXT default '' not null
constraint geo_mountain_ibfk_3
references mountain
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_mountain_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Mountain),
constraint geo_mountain_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_river"
(
River TEXT default '' not null
constraint geo_river_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_river_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_river_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_sea"
(
Sea TEXT default '' not null
constraint geo_sea_ibfk_3
references sea
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_sea_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Sea),
constraint geo_sea_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_source"
(
River TEXT default '' not null
constraint geo_source_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_source_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_source_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "island"
(
Name TEXT default '' not null
primary key,
Islands TEXT,
Area REAL,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "islandIn"
(
Island TEXT
constraint islandIn_ibfk_4
references island
on update cascade on delete cascade,
Sea TEXT
constraint islandIn_ibfk_3
references sea
on update cascade on delete cascade,
Lake TEXT
constraint islandIn_ibfk_1
references lake
on update cascade on delete cascade,
River TEXT
constraint islandIn_ibfk_2
references river
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "isMember"
(
Country TEXT default '' not null
constraint isMember_ibfk_1
references country
on update cascade on delete cascade,
Organization TEXT default '' not null
constraint isMember_ibfk_2
references organization
on update cascade on delete cascade,
Type TEXT default 'member',
primary key (Country, Organization)
);
CREATE TABLE IF NOT EXISTS "lake"
(
Name TEXT default '' not null
primary key,
Area REAL,
Depth REAL,
Altitude REAL,
Type TEXT,
River TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "language"
(
Country TEXT default '' not null
constraint language_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "located"
(
City TEXT,
Province TEXT,
Country TEXT
constraint located_ibfk_1
references country
on update cascade on delete cascade,
River TEXT
constraint located_ibfk_3
references river
on update cascade on delete cascade,
Lake TEXT
constraint located_ibfk_4
references lake
on update cascade on delete cascade,
Sea TEXT
constraint located_ibfk_5
references sea
on update cascade on delete cascade,
constraint located_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint located_ibfk_6
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "locatedOn"
(
City TEXT default '' not null,
Province TEXT default '' not null,
Country TEXT default '' not null
constraint locatedOn_ibfk_1
references country
on update cascade on delete cascade,
Island TEXT default '' not null
constraint locatedOn_ibfk_2
references island
on update cascade on delete cascade,
primary key (City, Province, Country, Island),
constraint locatedOn_ibfk_3
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint locatedOn_ibfk_4
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "mergesWith"
(
Sea1 TEXT default '' not null
constraint mergesWith_ibfk_1
references sea
on update cascade on delete cascade,
Sea2 TEXT default '' not null
constraint mergesWith_ibfk_2
references sea
on update cascade on delete cascade,
primary key (Sea1, Sea2)
);
CREATE TABLE IF NOT EXISTS "mountain"
(
Name TEXT default '' not null
primary key,
Mountains TEXT,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "mountainOnIsland"
(
Mountain TEXT default '' not null
constraint mountainOnIsland_ibfk_2
references mountain
on update cascade on delete cascade,
Island TEXT default '' not null
constraint mountainOnIsland_ibfk_1
references island
on update cascade on delete cascade,
primary key (Mountain, Island)
);
CREATE TABLE IF NOT EXISTS "organization"
(
Abbreviation TEXT not null
primary key,
Name TEXT not null
constraint ix_organization_OrgNameUnique
unique,
City TEXT,
Country TEXT
constraint organization_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT,
Established DATE,
constraint organization_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint organization_ibfk_3
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "politics"
(
Country TEXT default '' not null
primary key
constraint politics_ibfk_1
references country
on update cascade on delete cascade,
Independence DATE,
Dependent TEXT
constraint politics_ibfk_2
references country
on update cascade on delete cascade,
Government TEXT
);
CREATE TABLE IF NOT EXISTS "population"
(
Country TEXT default '' not null
primary key
constraint population_ibfk_1
references country
on update cascade on delete cascade,
Population_Growth REAL,
Infant_Mortality REAL
);
CREATE TABLE IF NOT EXISTS "province"
(
Name TEXT not null,
Country TEXT not null
constraint province_ibfk_1
references country
on update cascade on delete cascade,
Population INTEGER,
Area REAL,
Capital TEXT,
CapProv TEXT,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "religion"
(
Country TEXT default '' not null
constraint religion_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "river"
(
Name TEXT default '' not null
primary key,
River TEXT,
Lake TEXT
constraint river_ibfk_1
references lake
on update cascade on delete cascade,
Sea TEXT,
Length REAL,
SourceLongitude REAL,
SourceLatitude REAL,
Mountains TEXT,
SourceAltitude REAL,
EstuaryLongitude REAL,
EstuaryLatitude REAL
);
CREATE TABLE IF NOT EXISTS "sea"
(
Name TEXT default '' not null
primary key,
Depth REAL
);
CREATE TABLE IF NOT EXISTS "target"
(
Country TEXT not null
primary key
constraint target_Country_fkey
references country
on update cascade on delete cascade,
Target TEXT
);
|
|
movies_4 | Write down the release date of the movies produced by Twentieth Century Fox Film Corporation. | produced by Twentieth Century Fox Film Corporation refers to company_name = 'Twentieth Century Fox Film Corporation' | SELECT T3.release_date FROM production_company AS T1 INNER JOIN movie_company AS T2 ON T1.company_id = T2.company_id INNER JOIN movie AS T3 ON T2.movie_id = T3.movie_id WHERE T1.company_name = 'Twentieth Century Fox Film Corporation' | CREATE TABLE country
(
country_id INTEGER not null
primary key,
country_iso_code TEXT default NULL,
country_name TEXT default NULL
);
CREATE TABLE department
(
department_id INTEGER not null
primary key,
department_name TEXT default NULL
);
CREATE TABLE gender
(
gender_id INTEGER not null
primary key,
gender TEXT default NULL
);
CREATE TABLE genre
(
genre_id INTEGER not null
primary key,
genre_name TEXT default NULL
);
CREATE TABLE keyword
(
keyword_id INTEGER not null
primary key,
keyword_name TEXT default NULL
);
CREATE TABLE language
(
language_id INTEGER not null
primary key,
language_code TEXT default NULL,
language_name TEXT default NULL
);
CREATE TABLE language_role
(
role_id INTEGER not null
primary key,
language_role TEXT default NULL
);
CREATE TABLE movie
(
movie_id INTEGER not null
primary key,
title TEXT default NULL,
budget INTEGER default NULL,
homepage TEXT default NULL,
overview TEXT default NULL,
popularity REAL default NULL,
release_date DATE default NULL,
revenue INTEGER default NULL,
runtime INTEGER default NULL,
movie_status TEXT default NULL,
tagline TEXT default NULL,
vote_average REAL default NULL,
vote_count INTEGER default NULL
);
CREATE TABLE movie_genres
(
movie_id INTEGER default NULL,
genre_id INTEGER default NULL,
foreign key (genre_id) references genre(genre_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_languages
(
movie_id INTEGER default NULL,
language_id INTEGER default NULL,
language_role_id INTEGER default NULL,
foreign key (language_id) references language(language_id),
foreign key (movie_id) references movie(movie_id),
foreign key (language_role_id) references language_role(role_id)
);
CREATE TABLE person
(
person_id INTEGER not null
primary key,
person_name TEXT default NULL
);
CREATE TABLE movie_crew
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
department_id INTEGER default NULL,
job TEXT default NULL,
foreign key (department_id) references department(department_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE production_company
(
company_id INTEGER not null
primary key,
company_name TEXT default NULL
);
CREATE TABLE production_country
(
movie_id INTEGER default NULL,
country_id INTEGER default NULL,
foreign key (country_id) references country(country_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_cast
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
character_name TEXT default NULL,
gender_id INTEGER default NULL,
cast_order INTEGER default NULL,
foreign key (gender_id) references gender(gender_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE IF NOT EXISTS "movie_keywords"
(
movie_id INTEGER default NULL
references movie,
keyword_id INTEGER default NULL
references keyword
);
CREATE TABLE IF NOT EXISTS "movie_company"
(
movie_id INTEGER default NULL
references movie,
company_id INTEGER default NULL
references production_company
);
|
retail_complains | In the complains received in 2012, how many of them are submitted through email? | received in 2012 refers to Date received LIKE '2012%'; submitted through email refers to Submitted via = 'Email' | SELECT COUNT(`Submitted via`) FROM events WHERE strftime('%Y', `Date received`) = '2012' AND `Submitted via` = 'Email' | CREATE TABLE state
(
StateCode TEXT
constraint state_pk
primary key,
State TEXT,
Region TEXT
);
CREATE TABLE callcenterlogs
(
"Date received" DATE,
"Complaint ID" TEXT,
"rand client" TEXT,
phonefinal TEXT,
"vru+line" TEXT,
call_id INTEGER,
priority INTEGER,
type TEXT,
outcome TEXT,
server TEXT,
ser_start TEXT,
ser_exit TEXT,
ser_time TEXT,
primary key ("Complaint ID"),
foreign key ("rand client") references client(client_id)
);
CREATE TABLE client
(
client_id TEXT
primary key,
sex TEXT,
day INTEGER,
month INTEGER,
year INTEGER,
age INTEGER,
social TEXT,
first TEXT,
middle TEXT,
last TEXT,
phone TEXT,
email TEXT,
address_1 TEXT,
address_2 TEXT,
city TEXT,
state TEXT,
zipcode INTEGER,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
CREATE TABLE district
(
district_id INTEGER
primary key,
city TEXT,
state_abbrev TEXT,
division TEXT,
foreign key (state_abbrev) references state(StateCode)
);
CREATE TABLE events
(
"Date received" DATE,
Product TEXT,
"Sub-product" TEXT,
Issue TEXT,
"Sub-issue" TEXT,
"Consumer complaint narrative" TEXT,
Tags TEXT,
"Consumer consent provided?" TEXT,
"Submitted via" TEXT,
"Date sent to company" TEXT,
"Company response to consumer" TEXT,
"Timely response?" TEXT,
"Consumer disputed?" TEXT,
"Complaint ID" TEXT,
Client_ID TEXT,
primary key ("Complaint ID", Client_ID),
foreign key ("Complaint ID") references callcenterlogs("Complaint ID"),
foreign key (Client_ID) references client(client_id)
);
CREATE TABLE reviews
(
"Date" DATE
primary key,
Stars INTEGER,
Reviews TEXT,
Product TEXT,
district_id INTEGER,
foreign key (district_id) references district(district_id)
);
|
public_review_platform | How long is the Yelp business No. 15098 opened on Monday? | Yelp business No. 15098 refers to business_id = '15098'; Monday refers to day_of_week = 'Monday' | SELECT SUBSTR(T1.closing_time, 1, 2) + 12 - SUBSTR(T1.opening_time, 1, 2) AS YYSJ FROM Business_Hours AS T1 INNER JOIN Days AS T2 ON T1.day_id = T2.day_id WHERE T2.day_of_week = 'Monday' AND T1.business_id = 15098 | CREATE TABLE Attributes
(
attribute_id INTEGER
constraint Attributes_pk
primary key,
attribute_name TEXT
);
CREATE TABLE Categories
(
category_id INTEGER
constraint Categories_pk
primary key,
category_name TEXT
);
CREATE TABLE Compliments
(
compliment_id INTEGER
constraint Compliments_pk
primary key,
compliment_type TEXT
);
CREATE TABLE Days
(
day_id INTEGER
constraint Days_pk
primary key,
day_of_week TEXT
);
CREATE TABLE Years
(
year_id INTEGER
constraint Years_pk
primary key,
actual_year INTEGER
);
CREATE TABLE IF NOT EXISTS "Business_Attributes"
(
attribute_id INTEGER
constraint Business_Attributes_Attributes_attribute_id_fk
references Attributes,
business_id INTEGER
constraint Business_Attributes_Business_business_id_fk
references Business,
attribute_value TEXT,
constraint Business_Attributes_pk
primary key (attribute_id, business_id)
);
CREATE TABLE IF NOT EXISTS "Business_Categories"
(
business_id INTEGER
constraint Business_Categories_Business_business_id_fk
references Business,
category_id INTEGER
constraint Business_Categories_Categories_category_id_fk
references Categories,
constraint Business_Categories_pk
primary key (business_id, category_id)
);
CREATE TABLE IF NOT EXISTS "Business_Hours"
(
business_id INTEGER
constraint Business_Hours_Business_business_id_fk
references Business,
day_id INTEGER
constraint Business_Hours_Days_day_id_fk
references Days,
opening_time TEXT,
closing_time TEXT,
constraint Business_Hours_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Checkins"
(
business_id INTEGER
constraint Checkins_Business_business_id_fk
references Business,
day_id INTEGER
constraint Checkins_Days_day_id_fk
references Days,
label_time_0 TEXT,
label_time_1 TEXT,
label_time_2 TEXT,
label_time_3 TEXT,
label_time_4 TEXT,
label_time_5 TEXT,
label_time_6 TEXT,
label_time_7 TEXT,
label_time_8 TEXT,
label_time_9 TEXT,
label_time_10 TEXT,
label_time_11 TEXT,
label_time_12 TEXT,
label_time_13 TEXT,
label_time_14 TEXT,
label_time_15 TEXT,
label_time_16 TEXT,
label_time_17 TEXT,
label_time_18 TEXT,
label_time_19 TEXT,
label_time_20 TEXT,
label_time_21 TEXT,
label_time_22 TEXT,
label_time_23 TEXT,
constraint Checkins_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Elite"
(
user_id INTEGER
constraint Elite_Users_user_id_fk
references Users,
year_id INTEGER
constraint Elite_Years_year_id_fk
references Years,
constraint Elite_pk
primary key (user_id, year_id)
);
CREATE TABLE IF NOT EXISTS "Reviews"
(
business_id INTEGER
constraint Reviews_Business_business_id_fk
references Business,
user_id INTEGER
constraint Reviews_Users_user_id_fk
references Users,
review_stars INTEGER,
review_votes_funny TEXT,
review_votes_useful TEXT,
review_votes_cool TEXT,
review_length TEXT,
constraint Reviews_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Tips"
(
business_id INTEGER
constraint Tips_Business_business_id_fk
references Business,
user_id INTEGER
constraint Tips_Users_user_id_fk
references Users,
likes INTEGER,
tip_length TEXT,
constraint Tips_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Users_Compliments"
(
compliment_id INTEGER
constraint Users_Compliments_Compliments_compliment_id_fk
references Compliments,
user_id INTEGER
constraint Users_Compliments_Users_user_id_fk
references Users,
number_of_compliments TEXT,
constraint Users_Compliments_pk
primary key (compliment_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Business"
(
business_id INTEGER
constraint Business_pk
primary key,
active TEXT,
city TEXT,
state TEXT,
stars REAL,
review_count TEXT
);
CREATE TABLE IF NOT EXISTS "Users"
(
user_id INTEGER
constraint Users_pk
primary key,
user_yelping_since_year INTEGER,
user_average_stars TEXT,
user_votes_funny TEXT,
user_votes_useful TEXT,
user_votes_cool TEXT,
user_review_count TEXT,
user_fans TEXT
);
|
movie_3 | Who is the owner of email address "[email protected]"? Give the full name. | "[email protected]" is the email; owner refers to customer; full name refers to first_name, last_name | SELECT first_name, last_name FROM customer WHERE email = '[email protected]' | CREATE TABLE film_text
(
film_id INTEGER not null
primary key,
title TEXT not null,
description TEXT null
);
CREATE TABLE IF NOT EXISTS "actor"
(
actor_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "address"
(
address_id INTEGER
primary key autoincrement,
address TEXT not null,
address2 TEXT,
district TEXT not null,
city_id INTEGER not null
references city
on update cascade,
postal_code TEXT,
phone TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "category"
(
category_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "city"
(
city_id INTEGER
primary key autoincrement,
city TEXT not null,
country_id INTEGER not null
references country
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "country"
(
country_id INTEGER
primary key autoincrement,
country TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "customer"
(
customer_id INTEGER
primary key autoincrement,
store_id INTEGER not null
references store
on update cascade,
first_name TEXT not null,
last_name TEXT not null,
email TEXT,
address_id INTEGER not null
references address
on update cascade,
active INTEGER default 1 not null,
create_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film"
(
film_id INTEGER
primary key autoincrement,
title TEXT not null,
description TEXT,
release_year TEXT,
language_id INTEGER not null
references language
on update cascade,
original_language_id INTEGER
references language
on update cascade,
rental_duration INTEGER default 3 not null,
rental_rate REAL default 4.99 not null,
length INTEGER,
replacement_cost REAL default 19.99 not null,
rating TEXT default 'G',
special_features TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film_actor"
(
actor_id INTEGER not null
references actor
on update cascade,
film_id INTEGER not null
references film
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (actor_id, film_id)
);
CREATE TABLE IF NOT EXISTS "film_category"
(
film_id INTEGER not null
references film
on update cascade,
category_id INTEGER not null
references category
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (film_id, category_id)
);
CREATE TABLE IF NOT EXISTS "inventory"
(
inventory_id INTEGER
primary key autoincrement,
film_id INTEGER not null
references film
on update cascade,
store_id INTEGER not null
references store
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "language"
(
language_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "payment"
(
payment_id INTEGER
primary key autoincrement,
customer_id INTEGER not null
references customer
on update cascade,
staff_id INTEGER not null
references staff
on update cascade,
rental_id INTEGER
references rental
on update cascade on delete set null,
amount REAL not null,
payment_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "rental"
(
rental_id INTEGER
primary key autoincrement,
rental_date DATETIME not null,
inventory_id INTEGER not null
references inventory
on update cascade,
customer_id INTEGER not null
references customer
on update cascade,
return_date DATETIME,
staff_id INTEGER not null
references staff
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
unique (rental_date, inventory_id, customer_id)
);
CREATE TABLE IF NOT EXISTS "staff"
(
staff_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
address_id INTEGER not null
references address
on update cascade,
picture BLOB,
email TEXT,
store_id INTEGER not null
references store
on update cascade,
active INTEGER default 1 not null,
username TEXT not null,
password TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "store"
(
store_id INTEGER
primary key autoincrement,
manager_staff_id INTEGER not null
unique
references staff
on update cascade,
address_id INTEGER not null
references address
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
|
student_loan | What is the name of the student with the longest duration of absence? | longest duration of absence refers to MAX(month); | SELECT name FROM longest_absense_from_school WHERE month = ( SELECT MAX(month) FROM longest_absense_from_school ) | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
book_publishing_company | Find the difference between the average royalty of titles published by US and non US publishers? | US publisher refers publisher in the US where country = 'USA'; non-US publishers refers publisher not in the US where country! = 'USA'; difference = SUBTRACT(AVG(royalty) where country = 'USA', AVG(royalty) where country! = 'USA')) | SELECT (CAST(SUM(CASE WHEN T2.country = 'USA' THEN T1.royalty ELSE 0 END) AS REAL) / SUM(CASE WHEN T2.country = 'USA' THEN 1 ELSE 0 END)) - (CAST(SUM(CASE WHEN T2.country != 'USA' THEN T1.royalty ELSE 0 END) AS REAL) / SUM(CASE WHEN T2.country != 'USA' THEN 1 ELSE 0 END)) FROM titles AS T1 INNER JOIN publishers AS T2 ON T1.pub_id = T2.pub_id INNER JOIN roysched AS T3 ON T1.title_id = T3.title_id | CREATE TABLE authors
(
au_id TEXT
primary key,
au_lname TEXT not null,
au_fname TEXT not null,
phone TEXT not null,
address TEXT,
city TEXT,
state TEXT,
zip TEXT,
contract TEXT not null
);
CREATE TABLE jobs
(
job_id INTEGER
primary key,
job_desc TEXT not null,
min_lvl INTEGER not null,
max_lvl INTEGER not null
);
CREATE TABLE publishers
(
pub_id TEXT
primary key,
pub_name TEXT,
city TEXT,
state TEXT,
country TEXT
);
CREATE TABLE employee
(
emp_id TEXT
primary key,
fname TEXT not null,
minit TEXT,
lname TEXT not null,
job_id INTEGER not null,
job_lvl INTEGER,
pub_id TEXT not null,
hire_date DATETIME not null,
foreign key (job_id) references jobs(job_id)
on update cascade on delete cascade,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE pub_info
(
pub_id TEXT
primary key,
logo BLOB,
pr_info TEXT,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE stores
(
stor_id TEXT
primary key,
stor_name TEXT,
stor_address TEXT,
city TEXT,
state TEXT,
zip TEXT
);
CREATE TABLE discounts
(
discounttype TEXT not null,
stor_id TEXT,
lowqty INTEGER,
highqty INTEGER,
discount REAL not null,
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade
);
CREATE TABLE titles
(
title_id TEXT
primary key,
title TEXT not null,
type TEXT not null,
pub_id TEXT,
price REAL,
advance REAL,
royalty INTEGER,
ytd_sales INTEGER,
notes TEXT,
pubdate DATETIME not null,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE roysched
(
title_id TEXT not null,
lorange INTEGER,
hirange INTEGER,
royalty INTEGER,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE sales
(
stor_id TEXT not null,
ord_num TEXT not null,
ord_date DATETIME not null,
qty INTEGER not null,
payterms TEXT not null,
title_id TEXT not null,
primary key (stor_id, ord_num, title_id),
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE titleauthor
(
au_id TEXT not null,
title_id TEXT not null,
au_ord INTEGER,
royaltyper INTEGER,
primary key (au_id, title_id),
foreign key (au_id) references authors(au_id)
on update cascade on delete cascade,
foreign key (title_id) references titles (title_id)
on update cascade on delete cascade
);
|
menu | How many dishes are there on the menu "Zentral Theater Terrace"? | Zentral Theater Terrace is a name of menu; | SELECT SUM(CASE WHEN T3.name = 'Zentral Theater Terrace' THEN 1 ELSE 0 END) FROM MenuItem AS T1 INNER JOIN MenuPage AS T2 ON T1.menu_page_id = T2.id INNER JOIN Menu AS T3 ON T2.menu_id = T3.id | CREATE TABLE Dish
(
id INTEGER
primary key,
name TEXT,
description TEXT,
menus_appeared INTEGER,
times_appeared INTEGER,
first_appeared INTEGER,
last_appeared INTEGER,
lowest_price REAL,
highest_price REAL
);
CREATE TABLE Menu
(
id INTEGER
primary key,
name TEXT,
sponsor TEXT,
event TEXT,
venue TEXT,
place TEXT,
physical_description TEXT,
occasion TEXT,
notes TEXT,
call_number TEXT,
keywords TEXT,
language TEXT,
date DATE,
location TEXT,
location_type TEXT,
currency TEXT,
currency_symbol TEXT,
status TEXT,
page_count INTEGER,
dish_count INTEGER
);
CREATE TABLE MenuPage
(
id INTEGER
primary key,
menu_id INTEGER,
page_number INTEGER,
image_id REAL,
full_height INTEGER,
full_width INTEGER,
uuid TEXT,
foreign key (menu_id) references Menu(id)
);
CREATE TABLE MenuItem
(
id INTEGER
primary key,
menu_page_id INTEGER,
price REAL,
high_price REAL,
dish_id INTEGER,
created_at TEXT,
updated_at TEXT,
xpos REAL,
ypos REAL,
foreign key (dish_id) references Dish(id),
foreign key (menu_page_id) references MenuPage(id)
);
|
soccer_2016 | List the name and country of the players who got more than average catches in ascending order of the number of catches. | name and country of the players refers to Player_Name and Country_Name; catches refers to Out_name = 'caught'; average catches refers to divide(count(Player_ID) when Out_name = 'caught', sum(Player_ID)) | SELECT T1.Player_Name, T4.Country_Name FROM Player AS T1 INNER JOIN Wicket_Taken AS T2 ON T1.Player_Id = T2.Fielders INNER JOIN Out_Type AS T3 ON T2.Kind_Out = T3.Out_Id INNER JOIN Country AS T4 ON T1.Country_Name = T4.Country_Id GROUP BY T1.Player_Name ORDER BY COUNT(T3.Out_Name) ASC | CREATE TABLE Batting_Style
(
Batting_Id INTEGER
primary key,
Batting_hand TEXT
);
CREATE TABLE Bowling_Style
(
Bowling_Id INTEGER
primary key,
Bowling_skill TEXT
);
CREATE TABLE City
(
City_Id INTEGER
primary key,
City_Name TEXT,
Country_id INTEGER
);
CREATE TABLE Country
(
Country_Id INTEGER
primary key,
Country_Name TEXT,
foreign key (Country_Id) references Country(Country_Id)
);
CREATE TABLE Extra_Type
(
Extra_Id INTEGER
primary key,
Extra_Name TEXT
);
CREATE TABLE Extra_Runs
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Extra_Type_Id INTEGER,
Extra_Runs INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Extra_Type_Id) references Extra_Type(Extra_Id)
);
CREATE TABLE Out_Type
(
Out_Id INTEGER
primary key,
Out_Name TEXT
);
CREATE TABLE Outcome
(
Outcome_Id INTEGER
primary key,
Outcome_Type TEXT
);
CREATE TABLE Player
(
Player_Id INTEGER
primary key,
Player_Name TEXT,
DOB DATE,
Batting_hand INTEGER,
Bowling_skill INTEGER,
Country_Name INTEGER,
foreign key (Batting_hand) references Batting_Style(Batting_Id),
foreign key (Bowling_skill) references Bowling_Style(Bowling_Id),
foreign key (Country_Name) references Country(Country_Id)
);
CREATE TABLE Rolee
(
Role_Id INTEGER
primary key,
Role_Desc TEXT
);
CREATE TABLE Season
(
Season_Id INTEGER
primary key,
Man_of_the_Series INTEGER,
Orange_Cap INTEGER,
Purple_Cap INTEGER,
Season_Year INTEGER
);
CREATE TABLE Team
(
Team_Id INTEGER
primary key,
Team_Name TEXT
);
CREATE TABLE Toss_Decision
(
Toss_Id INTEGER
primary key,
Toss_Name TEXT
);
CREATE TABLE Umpire
(
Umpire_Id INTEGER
primary key,
Umpire_Name TEXT,
Umpire_Country INTEGER,
foreign key (Umpire_Country) references Country(Country_Id)
);
CREATE TABLE Venue
(
Venue_Id INTEGER
primary key,
Venue_Name TEXT,
City_Id INTEGER,
foreign key (City_Id) references City(City_Id)
);
CREATE TABLE Win_By
(
Win_Id INTEGER
primary key,
Win_Type TEXT
);
CREATE TABLE Match
(
Match_Id INTEGER
primary key,
Team_1 INTEGER,
Team_2 INTEGER,
Match_Date DATE,
Season_Id INTEGER,
Venue_Id INTEGER,
Toss_Winner INTEGER,
Toss_Decide INTEGER,
Win_Type INTEGER,
Win_Margin INTEGER,
Outcome_type INTEGER,
Match_Winner INTEGER,
Man_of_the_Match INTEGER,
foreign key (Team_1) references Team(Team_Id),
foreign key (Team_2) references Team(Team_Id),
foreign key (Season_Id) references Season(Season_Id),
foreign key (Venue_Id) references Venue(Venue_Id),
foreign key (Toss_Winner) references Team(Team_Id),
foreign key (Toss_Decide) references Toss_Decision(Toss_Id),
foreign key (Win_Type) references Win_By(Win_Id),
foreign key (Outcome_type) references Out_Type(Out_Id),
foreign key (Match_Winner) references Team(Team_Id),
foreign key (Man_of_the_Match) references Player(Player_Id)
);
CREATE TABLE Ball_by_Ball
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Innings_No INTEGER,
Team_Batting INTEGER,
Team_Bowling INTEGER,
Striker_Batting_Position INTEGER,
Striker INTEGER,
Non_Striker INTEGER,
Bowler INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Batsman_Scored
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Runs_Scored INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Player_Match
(
Match_Id INTEGER,
Player_Id INTEGER,
Role_Id INTEGER,
Team_Id INTEGER,
primary key (Match_Id, Player_Id, Role_Id),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Id) references Player(Player_Id),
foreign key (Team_Id) references Team(Team_Id),
foreign key (Role_Id) references Rolee(Role_Id)
);
CREATE TABLE Wicket_Taken
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Player_Out INTEGER,
Kind_Out INTEGER,
Fielders INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Out) references Player(Player_Id),
foreign key (Kind_Out) references Out_Type(Out_Id),
foreign key (Fielders) references Player(Player_Id)
);
|
works_cycles | State the product name, product line, rating and the selling price of product with the lowest rating. | Product with the lowest rating refers to the rating
given by the
reviewer where Rating = 1 | SELECT T1.Name, T1.ProductLine, T2.Rating, T1.ListPrice FROM Product AS T1 INNER JOIN ProductReview AS T2 ON T1.ProductID = T2.ProductID ORDER BY T2.Rating ASC LIMIT 1 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
shakespeare | Calculate average scene per act in Antony and Cleopatra. | Antony and Cleopatra refers to Title = 'Antony and Cleopatra'; average scene per act = divide(sum(Scene), count(act))
| SELECT CAST(SUM(T2.Scene) AS REAL) / COUNT(T2.act) FROM works AS T1 INNER JOIN chapters AS T2 ON T1.id = T2.work_id WHERE T1.Title = 'Antony and Cleopatra' | CREATE TABLE IF NOT EXISTS "chapters"
(
id INTEGER
primary key autoincrement,
Act INTEGER not null,
Scene INTEGER not null,
Description TEXT not null,
work_id INTEGER not null
references works
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "characters"
(
id INTEGER
primary key autoincrement,
CharName TEXT not null,
Abbrev TEXT not null,
Description TEXT not null
);
CREATE TABLE IF NOT EXISTS "paragraphs"
(
id INTEGER
primary key autoincrement,
ParagraphNum INTEGER not null,
PlainText TEXT not null,
character_id INTEGER not null
references characters,
chapter_id INTEGER default 0 not null
references chapters
);
CREATE TABLE IF NOT EXISTS "works"
(
id INTEGER
primary key autoincrement,
Title TEXT not null,
LongTitle TEXT not null,
Date INTEGER not null,
GenreType TEXT not null
);
|
shipping | Who was the customer of shipment no.1275? Give the customer's name. | shipment no. 1275 refers to ship_id = 1275; customer name refers to cust_name | SELECT T1.cust_name FROM customer AS T1 INNER JOIN shipment AS T2 ON T1.cust_id = T2.cust_id WHERE T2.ship_id = '1275' | CREATE TABLE city
(
city_id INTEGER
primary key,
city_name TEXT,
state TEXT,
population INTEGER,
area REAL
);
CREATE TABLE customer
(
cust_id INTEGER
primary key,
cust_name TEXT,
annual_revenue INTEGER,
cust_type TEXT,
address TEXT,
city TEXT,
state TEXT,
zip REAL,
phone TEXT
);
CREATE TABLE driver
(
driver_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
address TEXT,
city TEXT,
state TEXT,
zip_code INTEGER,
phone TEXT
);
CREATE TABLE truck
(
truck_id INTEGER
primary key,
make TEXT,
model_year INTEGER
);
CREATE TABLE shipment
(
ship_id INTEGER
primary key,
cust_id INTEGER,
weight REAL,
truck_id INTEGER,
driver_id INTEGER,
city_id INTEGER,
ship_date TEXT,
foreign key (cust_id) references customer(cust_id),
foreign key (city_id) references city(city_id),
foreign key (driver_id) references driver(driver_id),
foreign key (truck_id) references truck(truck_id)
);
|
movies_4 | State the genre of the movie title with a runtime of only 14 minutes. | genre refers to genre_name; runtime of only 14 minutes refers to runtime = 14 | SELECT T3.genre_name FROM movie AS T1 INNER JOIN movie_genres AS T2 ON T1.movie_id = T2.movie_id INNER JOIN genre AS T3 ON T2.genre_id = T3.genre_id WHERE T1.runtime = 14 | CREATE TABLE country
(
country_id INTEGER not null
primary key,
country_iso_code TEXT default NULL,
country_name TEXT default NULL
);
CREATE TABLE department
(
department_id INTEGER not null
primary key,
department_name TEXT default NULL
);
CREATE TABLE gender
(
gender_id INTEGER not null
primary key,
gender TEXT default NULL
);
CREATE TABLE genre
(
genre_id INTEGER not null
primary key,
genre_name TEXT default NULL
);
CREATE TABLE keyword
(
keyword_id INTEGER not null
primary key,
keyword_name TEXT default NULL
);
CREATE TABLE language
(
language_id INTEGER not null
primary key,
language_code TEXT default NULL,
language_name TEXT default NULL
);
CREATE TABLE language_role
(
role_id INTEGER not null
primary key,
language_role TEXT default NULL
);
CREATE TABLE movie
(
movie_id INTEGER not null
primary key,
title TEXT default NULL,
budget INTEGER default NULL,
homepage TEXT default NULL,
overview TEXT default NULL,
popularity REAL default NULL,
release_date DATE default NULL,
revenue INTEGER default NULL,
runtime INTEGER default NULL,
movie_status TEXT default NULL,
tagline TEXT default NULL,
vote_average REAL default NULL,
vote_count INTEGER default NULL
);
CREATE TABLE movie_genres
(
movie_id INTEGER default NULL,
genre_id INTEGER default NULL,
foreign key (genre_id) references genre(genre_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_languages
(
movie_id INTEGER default NULL,
language_id INTEGER default NULL,
language_role_id INTEGER default NULL,
foreign key (language_id) references language(language_id),
foreign key (movie_id) references movie(movie_id),
foreign key (language_role_id) references language_role(role_id)
);
CREATE TABLE person
(
person_id INTEGER not null
primary key,
person_name TEXT default NULL
);
CREATE TABLE movie_crew
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
department_id INTEGER default NULL,
job TEXT default NULL,
foreign key (department_id) references department(department_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE production_company
(
company_id INTEGER not null
primary key,
company_name TEXT default NULL
);
CREATE TABLE production_country
(
movie_id INTEGER default NULL,
country_id INTEGER default NULL,
foreign key (country_id) references country(country_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_cast
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
character_name TEXT default NULL,
gender_id INTEGER default NULL,
cast_order INTEGER default NULL,
foreign key (gender_id) references gender(gender_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE IF NOT EXISTS "movie_keywords"
(
movie_id INTEGER default NULL
references movie,
keyword_id INTEGER default NULL
references keyword
);
CREATE TABLE IF NOT EXISTS "movie_company"
(
movie_id INTEGER default NULL
references movie,
company_id INTEGER default NULL
references production_company
);
|
public_review_platform | Compare and get the difference of the number of businesses that are open in Monday and Tuesday from 10 am to 9 pm. | 10 am refers to opening_time = '10AM'; 9 pm refers to closing_time = '9PM'; 'Monday' and 'Tuesday' are both day_of_week; difference number of business = Subtract(Count(business_id(day_of_week = 'Monday')), Count(business_id(day_of_week = 'Tuesday'))) | SELECT SUM(CASE WHEN T3.day_of_week = 'Monday' THEN 1 ELSE 0 END) - SUM(CASE WHEN T3.day_of_week = 'Tuesday' THEN 1 ELSE 0 END) AS DIFF FROM Business AS T1 INNER JOIN Business_Hours AS T2 ON T1.business_id = T2.business_id INNER JOIN Days AS T3 ON T2.day_id = T3.day_id WHERE T2.opening_time = '10AM' AND T2.closing_time = '9PM' | CREATE TABLE Attributes
(
attribute_id INTEGER
constraint Attributes_pk
primary key,
attribute_name TEXT
);
CREATE TABLE Categories
(
category_id INTEGER
constraint Categories_pk
primary key,
category_name TEXT
);
CREATE TABLE Compliments
(
compliment_id INTEGER
constraint Compliments_pk
primary key,
compliment_type TEXT
);
CREATE TABLE Days
(
day_id INTEGER
constraint Days_pk
primary key,
day_of_week TEXT
);
CREATE TABLE Years
(
year_id INTEGER
constraint Years_pk
primary key,
actual_year INTEGER
);
CREATE TABLE IF NOT EXISTS "Business_Attributes"
(
attribute_id INTEGER
constraint Business_Attributes_Attributes_attribute_id_fk
references Attributes,
business_id INTEGER
constraint Business_Attributes_Business_business_id_fk
references Business,
attribute_value TEXT,
constraint Business_Attributes_pk
primary key (attribute_id, business_id)
);
CREATE TABLE IF NOT EXISTS "Business_Categories"
(
business_id INTEGER
constraint Business_Categories_Business_business_id_fk
references Business,
category_id INTEGER
constraint Business_Categories_Categories_category_id_fk
references Categories,
constraint Business_Categories_pk
primary key (business_id, category_id)
);
CREATE TABLE IF NOT EXISTS "Business_Hours"
(
business_id INTEGER
constraint Business_Hours_Business_business_id_fk
references Business,
day_id INTEGER
constraint Business_Hours_Days_day_id_fk
references Days,
opening_time TEXT,
closing_time TEXT,
constraint Business_Hours_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Checkins"
(
business_id INTEGER
constraint Checkins_Business_business_id_fk
references Business,
day_id INTEGER
constraint Checkins_Days_day_id_fk
references Days,
label_time_0 TEXT,
label_time_1 TEXT,
label_time_2 TEXT,
label_time_3 TEXT,
label_time_4 TEXT,
label_time_5 TEXT,
label_time_6 TEXT,
label_time_7 TEXT,
label_time_8 TEXT,
label_time_9 TEXT,
label_time_10 TEXT,
label_time_11 TEXT,
label_time_12 TEXT,
label_time_13 TEXT,
label_time_14 TEXT,
label_time_15 TEXT,
label_time_16 TEXT,
label_time_17 TEXT,
label_time_18 TEXT,
label_time_19 TEXT,
label_time_20 TEXT,
label_time_21 TEXT,
label_time_22 TEXT,
label_time_23 TEXT,
constraint Checkins_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Elite"
(
user_id INTEGER
constraint Elite_Users_user_id_fk
references Users,
year_id INTEGER
constraint Elite_Years_year_id_fk
references Years,
constraint Elite_pk
primary key (user_id, year_id)
);
CREATE TABLE IF NOT EXISTS "Reviews"
(
business_id INTEGER
constraint Reviews_Business_business_id_fk
references Business,
user_id INTEGER
constraint Reviews_Users_user_id_fk
references Users,
review_stars INTEGER,
review_votes_funny TEXT,
review_votes_useful TEXT,
review_votes_cool TEXT,
review_length TEXT,
constraint Reviews_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Tips"
(
business_id INTEGER
constraint Tips_Business_business_id_fk
references Business,
user_id INTEGER
constraint Tips_Users_user_id_fk
references Users,
likes INTEGER,
tip_length TEXT,
constraint Tips_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Users_Compliments"
(
compliment_id INTEGER
constraint Users_Compliments_Compliments_compliment_id_fk
references Compliments,
user_id INTEGER
constraint Users_Compliments_Users_user_id_fk
references Users,
number_of_compliments TEXT,
constraint Users_Compliments_pk
primary key (compliment_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Business"
(
business_id INTEGER
constraint Business_pk
primary key,
active TEXT,
city TEXT,
state TEXT,
stars REAL,
review_count TEXT
);
CREATE TABLE IF NOT EXISTS "Users"
(
user_id INTEGER
constraint Users_pk
primary key,
user_yelping_since_year INTEGER,
user_average_stars TEXT,
user_votes_funny TEXT,
user_votes_useful TEXT,
user_votes_cool TEXT,
user_review_count TEXT,
user_fans TEXT
);
|
olympics | What is the name of the youngest competitor? | name refers to full_name; the youngest refers to MIN(age); | SELECT T1.full_name FROM person AS T1 INNER JOIN games_competitor AS T2 ON T1.id = T2.person_id ORDER BY T2.age LIMIT 1 | CREATE TABLE city
(
id INTEGER not null
primary key,
city_name TEXT default NULL
);
CREATE TABLE games
(
id INTEGER not null
primary key,
games_year INTEGER default NULL,
games_name TEXT default NULL,
season TEXT default NULL
);
CREATE TABLE games_city
(
games_id INTEGER default NULL,
city_id INTEGER default NULL,
foreign key (city_id) references city(id),
foreign key (games_id) references games(id)
);
CREATE TABLE medal
(
id INTEGER not null
primary key,
medal_name TEXT default NULL
);
CREATE TABLE noc_region
(
id INTEGER not null
primary key,
noc TEXT default NULL,
region_name TEXT default NULL
);
CREATE TABLE person
(
id INTEGER not null
primary key,
full_name TEXT default NULL,
gender TEXT default NULL,
height INTEGER default NULL,
weight INTEGER default NULL
);
CREATE TABLE games_competitor
(
id INTEGER not null
primary key,
games_id INTEGER default NULL,
person_id INTEGER default NULL,
age INTEGER default NULL,
foreign key (games_id) references games(id),
foreign key (person_id) references person(id)
);
CREATE TABLE person_region
(
person_id INTEGER default NULL,
region_id INTEGER default NULL,
foreign key (person_id) references person(id),
foreign key (region_id) references noc_region(id)
);
CREATE TABLE sport
(
id INTEGER not null
primary key,
sport_name TEXT default NULL
);
CREATE TABLE event
(
id INTEGER not null
primary key,
sport_id INTEGER default NULL,
event_name TEXT default NULL,
foreign key (sport_id) references sport(id)
);
CREATE TABLE competitor_event
(
event_id INTEGER default NULL,
competitor_id INTEGER default NULL,
medal_id INTEGER default NULL,
foreign key (competitor_id) references games_competitor(id),
foreign key (event_id) references event(id),
foreign key (medal_id) references medal(id)
);
|
student_loan | Count the number of students from UCSD enlisted in the peace corps. | in the peace corps refers to organ = 'peace_corps'; from UCSD refers to school = 'ucsd'; | SELECT COUNT(T1.name) FROM enlist AS T1 INNER JOIN enrolled AS T2 ON T1.`name` = T2.`name` WHERE T2.school = 'ucsd' AND T1.organ = 'peace_corps' | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
world_development_indicators | What are the full names of the countries in South Asia that belongs to the low income group? | full name refers to longname; the countries in South Asia refer to region = 'South Asia'; belongs to the low income group refers to incomegroup = 'Low income' | SELECT LongName FROM Country WHERE IncomeGroup = 'Low income' AND Region = 'South Asia' | CREATE TABLE IF NOT EXISTS "Country"
(
CountryCode TEXT not null
primary key,
ShortName TEXT,
TableName TEXT,
LongName TEXT,
Alpha2Code TEXT,
CurrencyUnit TEXT,
SpecialNotes TEXT,
Region TEXT,
IncomeGroup TEXT,
Wb2Code TEXT,
NationalAccountsBaseYear TEXT,
NationalAccountsReferenceYear TEXT,
SnaPriceValuation TEXT,
LendingCategory TEXT,
OtherGroups TEXT,
SystemOfNationalAccounts TEXT,
AlternativeConversionFactor TEXT,
PppSurveyYear TEXT,
BalanceOfPaymentsManualInUse TEXT,
ExternalDebtReportingStatus TEXT,
SystemOfTrade TEXT,
GovernmentAccountingConcept TEXT,
ImfDataDisseminationStandard TEXT,
LatestPopulationCensus TEXT,
LatestHouseholdSurvey TEXT,
SourceOfMostRecentIncomeAndExpenditureData TEXT,
VitalRegistrationComplete TEXT,
LatestAgriculturalCensus TEXT,
LatestIndustrialData INTEGER,
LatestTradeData INTEGER,
LatestWaterWithdrawalData INTEGER
);
CREATE TABLE IF NOT EXISTS "Series"
(
SeriesCode TEXT not null
primary key,
Topic TEXT,
IndicatorName TEXT,
ShortDefinition TEXT,
LongDefinition TEXT,
UnitOfMeasure TEXT,
Periodicity TEXT,
BasePeriod TEXT,
OtherNotes INTEGER,
AggregationMethod TEXT,
LimitationsAndExceptions TEXT,
NotesFromOriginalSource TEXT,
GeneralComments TEXT,
Source TEXT,
StatisticalConceptAndMethodology TEXT,
DevelopmentRelevance TEXT,
RelatedSourceLinks TEXT,
OtherWebLinks INTEGER,
RelatedIndicators INTEGER,
LicenseType TEXT
);
CREATE TABLE CountryNotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Description TEXT,
primary key (Countrycode, Seriescode),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Footnotes
(
Countrycode TEXT NOT NULL ,
Seriescode TEXT NOT NULL ,
Year TEXT,
Description TEXT,
primary key (Countrycode, Seriescode, Year),
FOREIGN KEY (Seriescode) REFERENCES Series(SeriesCode),
FOREIGN KEY (Countrycode) REFERENCES Country(CountryCode)
);
CREATE TABLE Indicators
(
CountryName TEXT,
CountryCode TEXT NOT NULL ,
IndicatorName TEXT,
IndicatorCode TEXT NOT NULL ,
Year INTEGER NOT NULL ,
Value INTEGER,
primary key (CountryCode, IndicatorCode, Year),
FOREIGN KEY (CountryCode) REFERENCES Country(CountryCode)
);
CREATE TABLE SeriesNotes
(
Seriescode TEXT not null ,
Year TEXT not null ,
Description TEXT,
primary key (Seriescode, Year),
foreign key (Seriescode) references Series(SeriesCode)
);
|
student_loan | How many disabled students have zero absences? | zero absences refers to month = 0; | SELECT COUNT(T1.name) FROM disabled AS T1 INNER JOIN longest_absense_from_school AS T2 ON T1.name = T2.name WHERE T2.month = 0 | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
movie_3 | Please list the titles of all the films that the customer RUTH MARTINEZ has rented. | SELECT T4.title FROM customer AS T1 INNER JOIN rental AS T2 ON T1.customer_id = T2.customer_id INNER JOIN inventory AS T3 ON T2.inventory_id = T3.inventory_id INNER JOIN film AS T4 ON T3.film_id = T4.film_id WHERE T1.first_name = 'RUTH' AND T1.last_name = 'MARTINEZ' | CREATE TABLE film_text
(
film_id INTEGER not null
primary key,
title TEXT not null,
description TEXT null
);
CREATE TABLE IF NOT EXISTS "actor"
(
actor_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "address"
(
address_id INTEGER
primary key autoincrement,
address TEXT not null,
address2 TEXT,
district TEXT not null,
city_id INTEGER not null
references city
on update cascade,
postal_code TEXT,
phone TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "category"
(
category_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "city"
(
city_id INTEGER
primary key autoincrement,
city TEXT not null,
country_id INTEGER not null
references country
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "country"
(
country_id INTEGER
primary key autoincrement,
country TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "customer"
(
customer_id INTEGER
primary key autoincrement,
store_id INTEGER not null
references store
on update cascade,
first_name TEXT not null,
last_name TEXT not null,
email TEXT,
address_id INTEGER not null
references address
on update cascade,
active INTEGER default 1 not null,
create_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film"
(
film_id INTEGER
primary key autoincrement,
title TEXT not null,
description TEXT,
release_year TEXT,
language_id INTEGER not null
references language
on update cascade,
original_language_id INTEGER
references language
on update cascade,
rental_duration INTEGER default 3 not null,
rental_rate REAL default 4.99 not null,
length INTEGER,
replacement_cost REAL default 19.99 not null,
rating TEXT default 'G',
special_features TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film_actor"
(
actor_id INTEGER not null
references actor
on update cascade,
film_id INTEGER not null
references film
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (actor_id, film_id)
);
CREATE TABLE IF NOT EXISTS "film_category"
(
film_id INTEGER not null
references film
on update cascade,
category_id INTEGER not null
references category
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (film_id, category_id)
);
CREATE TABLE IF NOT EXISTS "inventory"
(
inventory_id INTEGER
primary key autoincrement,
film_id INTEGER not null
references film
on update cascade,
store_id INTEGER not null
references store
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "language"
(
language_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "payment"
(
payment_id INTEGER
primary key autoincrement,
customer_id INTEGER not null
references customer
on update cascade,
staff_id INTEGER not null
references staff
on update cascade,
rental_id INTEGER
references rental
on update cascade on delete set null,
amount REAL not null,
payment_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "rental"
(
rental_id INTEGER
primary key autoincrement,
rental_date DATETIME not null,
inventory_id INTEGER not null
references inventory
on update cascade,
customer_id INTEGER not null
references customer
on update cascade,
return_date DATETIME,
staff_id INTEGER not null
references staff
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
unique (rental_date, inventory_id, customer_id)
);
CREATE TABLE IF NOT EXISTS "staff"
(
staff_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
address_id INTEGER not null
references address
on update cascade,
picture BLOB,
email TEXT,
store_id INTEGER not null
references store
on update cascade,
active INTEGER default 1 not null,
username TEXT not null,
password TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "store"
(
store_id INTEGER
primary key autoincrement,
manager_staff_id INTEGER not null
unique
references staff
on update cascade,
address_id INTEGER not null
references address
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
|
|
public_review_platform | How long does business number 12 in Scottsdale stay open on day number 3? | business number refers to business_id; Scottsdale refers to city = 'Scottsdale'; day number refers to day_id; | SELECT T2.closing_time - T2.opening_time AS "hour" FROM Business AS T1 INNER JOIN Business_Hours AS T2 ON T1.business_id = T2.business_id WHERE T1.business_id = 12 AND T1.city LIKE 'Scottsdale' AND T2.day_id = 3 | CREATE TABLE Attributes
(
attribute_id INTEGER
constraint Attributes_pk
primary key,
attribute_name TEXT
);
CREATE TABLE Categories
(
category_id INTEGER
constraint Categories_pk
primary key,
category_name TEXT
);
CREATE TABLE Compliments
(
compliment_id INTEGER
constraint Compliments_pk
primary key,
compliment_type TEXT
);
CREATE TABLE Days
(
day_id INTEGER
constraint Days_pk
primary key,
day_of_week TEXT
);
CREATE TABLE Years
(
year_id INTEGER
constraint Years_pk
primary key,
actual_year INTEGER
);
CREATE TABLE IF NOT EXISTS "Business_Attributes"
(
attribute_id INTEGER
constraint Business_Attributes_Attributes_attribute_id_fk
references Attributes,
business_id INTEGER
constraint Business_Attributes_Business_business_id_fk
references Business,
attribute_value TEXT,
constraint Business_Attributes_pk
primary key (attribute_id, business_id)
);
CREATE TABLE IF NOT EXISTS "Business_Categories"
(
business_id INTEGER
constraint Business_Categories_Business_business_id_fk
references Business,
category_id INTEGER
constraint Business_Categories_Categories_category_id_fk
references Categories,
constraint Business_Categories_pk
primary key (business_id, category_id)
);
CREATE TABLE IF NOT EXISTS "Business_Hours"
(
business_id INTEGER
constraint Business_Hours_Business_business_id_fk
references Business,
day_id INTEGER
constraint Business_Hours_Days_day_id_fk
references Days,
opening_time TEXT,
closing_time TEXT,
constraint Business_Hours_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Checkins"
(
business_id INTEGER
constraint Checkins_Business_business_id_fk
references Business,
day_id INTEGER
constraint Checkins_Days_day_id_fk
references Days,
label_time_0 TEXT,
label_time_1 TEXT,
label_time_2 TEXT,
label_time_3 TEXT,
label_time_4 TEXT,
label_time_5 TEXT,
label_time_6 TEXT,
label_time_7 TEXT,
label_time_8 TEXT,
label_time_9 TEXT,
label_time_10 TEXT,
label_time_11 TEXT,
label_time_12 TEXT,
label_time_13 TEXT,
label_time_14 TEXT,
label_time_15 TEXT,
label_time_16 TEXT,
label_time_17 TEXT,
label_time_18 TEXT,
label_time_19 TEXT,
label_time_20 TEXT,
label_time_21 TEXT,
label_time_22 TEXT,
label_time_23 TEXT,
constraint Checkins_pk
primary key (business_id, day_id)
);
CREATE TABLE IF NOT EXISTS "Elite"
(
user_id INTEGER
constraint Elite_Users_user_id_fk
references Users,
year_id INTEGER
constraint Elite_Years_year_id_fk
references Years,
constraint Elite_pk
primary key (user_id, year_id)
);
CREATE TABLE IF NOT EXISTS "Reviews"
(
business_id INTEGER
constraint Reviews_Business_business_id_fk
references Business,
user_id INTEGER
constraint Reviews_Users_user_id_fk
references Users,
review_stars INTEGER,
review_votes_funny TEXT,
review_votes_useful TEXT,
review_votes_cool TEXT,
review_length TEXT,
constraint Reviews_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Tips"
(
business_id INTEGER
constraint Tips_Business_business_id_fk
references Business,
user_id INTEGER
constraint Tips_Users_user_id_fk
references Users,
likes INTEGER,
tip_length TEXT,
constraint Tips_pk
primary key (business_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Users_Compliments"
(
compliment_id INTEGER
constraint Users_Compliments_Compliments_compliment_id_fk
references Compliments,
user_id INTEGER
constraint Users_Compliments_Users_user_id_fk
references Users,
number_of_compliments TEXT,
constraint Users_Compliments_pk
primary key (compliment_id, user_id)
);
CREATE TABLE IF NOT EXISTS "Business"
(
business_id INTEGER
constraint Business_pk
primary key,
active TEXT,
city TEXT,
state TEXT,
stars REAL,
review_count TEXT
);
CREATE TABLE IF NOT EXISTS "Users"
(
user_id INTEGER
constraint Users_pk
primary key,
user_yelping_since_year INTEGER,
user_average_stars TEXT,
user_votes_funny TEXT,
user_votes_useful TEXT,
user_votes_cool TEXT,
user_review_count TEXT,
user_fans TEXT
);
|
superstore | Give the customer segment from the West region that orders the order ID CA-2011-108189. | Region = 'West' | SELECT DISTINCT T2.Segment FROM west_superstore AS T1 INNER JOIN people AS T2 ON T1.`Customer ID` = T2.`Customer ID` WHERE T1.Region = 'West' AND T1.`Order ID` = 'CA-2011-108189' | CREATE TABLE people
(
"Customer ID" TEXT,
"Customer Name" TEXT,
Segment TEXT,
Country TEXT,
City TEXT,
State TEXT,
"Postal Code" INTEGER,
Region TEXT,
primary key ("Customer ID", Region)
);
CREATE TABLE product
(
"Product ID" TEXT,
"Product Name" TEXT,
Category TEXT,
"Sub-Category" TEXT,
Region TEXT,
primary key ("Product ID", Region)
);
CREATE TABLE central_superstore
(
"Row ID" INTEGER
primary key,
"Order ID" TEXT,
"Order Date" DATE,
"Ship Date" DATE,
"Ship Mode" TEXT,
"Customer ID" TEXT,
Region TEXT,
"Product ID" TEXT,
Sales REAL,
Quantity INTEGER,
Discount REAL,
Profit REAL,
foreign key ("Customer ID", Region) references people("Customer ID",Region),
foreign key ("Product ID", Region) references product("Product ID",Region)
);
CREATE TABLE east_superstore
(
"Row ID" INTEGER
primary key,
"Order ID" TEXT,
"Order Date" DATE,
"Ship Date" DATE,
"Ship Mode" TEXT,
"Customer ID" TEXT,
Region TEXT,
"Product ID" TEXT,
Sales REAL,
Quantity INTEGER,
Discount REAL,
Profit REAL,
foreign key ("Customer ID", Region) references people("Customer ID",Region),
foreign key ("Product ID", Region) references product("Product ID",Region)
);
CREATE TABLE south_superstore
(
"Row ID" INTEGER
primary key,
"Order ID" TEXT,
"Order Date" DATE,
"Ship Date" DATE,
"Ship Mode" TEXT,
"Customer ID" TEXT,
Region TEXT,
"Product ID" TEXT,
Sales REAL,
Quantity INTEGER,
Discount REAL,
Profit REAL,
foreign key ("Customer ID", Region) references people("Customer ID",Region),
foreign key ("Product ID", Region) references product("Product ID",Region)
);
CREATE TABLE west_superstore
(
"Row ID" INTEGER
primary key,
"Order ID" TEXT,
"Order Date" DATE,
"Ship Date" DATE,
"Ship Mode" TEXT,
"Customer ID" TEXT,
Region TEXT,
"Product ID" TEXT,
Sales REAL,
Quantity INTEGER,
Discount REAL,
Profit REAL,
foreign key ("Customer ID", Region) references people("Customer ID",Region),
foreign key ("Product ID", Region) references product("Product ID",Region)
);
|
works_cycles | Which position does Suchitra hold? | position refers to JobTitle | SELECT T2.JobTitle FROM Person AS T1 INNER JOIN Employee AS T2 ON T1.BusinessEntityID = T2.BusinessEntityID WHERE T1.FirstName = 'Suchitra' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
disney | List the movie titles and associated songs directed by Ron Clements. | Ron Clements refers director = 'Ron Clements'; | SELECT T1.movie_title, T1.song FROM characters AS T1 INNER JOIN director AS T2 ON T1.movie_title = T2.name WHERE T2.director = 'Ron Clements' | CREATE TABLE characters
(
movie_title TEXT
primary key,
release_date TEXT,
hero TEXT,
villian TEXT,
song TEXT,
foreign key (hero) references "voice-actors"(character)
);
CREATE TABLE director
(
name TEXT
primary key,
director TEXT,
foreign key (name) references characters(movie_title)
);
CREATE TABLE movies_total_gross
(
movie_title TEXT,
release_date TEXT,
genre TEXT,
MPAA_rating TEXT,
total_gross TEXT,
inflation_adjusted_gross TEXT,
primary key (movie_title, release_date),
foreign key (movie_title) references characters(movie_title)
);
CREATE TABLE revenue
(
Year INTEGER
primary key,
"Studio Entertainment[NI 1]" REAL,
"Disney Consumer Products[NI 2]" REAL,
"Disney Interactive[NI 3][Rev 1]" INTEGER,
"Walt Disney Parks and Resorts" REAL,
"Disney Media Networks" TEXT,
Total INTEGER
);
CREATE TABLE IF NOT EXISTS "voice-actors"
(
character TEXT
primary key,
"voice-actor" TEXT,
movie TEXT,
foreign key (movie) references characters(movie_title)
);
|
authors | How many publications were published in relation to the conference 'Adaptive Multimedia Retrieval' in 2007? | 'Adaptive Multimedia Retrieval is the FullName of paper; in 2007 refer to Year = 2007 | SELECT COUNT(T2.ConferenceId) FROM Conference AS T1 INNER JOIN Paper AS T2 ON T1.Id = T2.ConferenceId WHERE T1.FullName = 'Adaptive Multimedia Retrieval' AND T2.Year = 2007 | CREATE TABLE IF NOT EXISTS "Author"
(
Id INTEGER
constraint Author_pk
primary key,
Name TEXT,
Affiliation TEXT
);
CREATE TABLE IF NOT EXISTS "Conference"
(
Id INTEGER
constraint Conference_pk
primary key,
ShortName TEXT,
FullName TEXT,
HomePage TEXT
);
CREATE TABLE IF NOT EXISTS "Journal"
(
Id INTEGER
constraint Journal_pk
primary key,
ShortName TEXT,
FullName TEXT,
HomePage TEXT
);
CREATE TABLE Paper
(
Id INTEGER
primary key,
Title TEXT,
Year INTEGER,
ConferenceId INTEGER,
JournalId INTEGER,
Keyword TEXT,
foreign key (ConferenceId) references Conference(Id),
foreign key (JournalId) references Journal(Id)
);
CREATE TABLE PaperAuthor
(
PaperId INTEGER,
AuthorId INTEGER,
Name TEXT,
Affiliation TEXT,
foreign key (PaperId) references Paper(Id),
foreign key (AuthorId) references Author(Id)
);
|
world | What are the districts that belong to the country with the lowest surface area? | lowest surface area refers to MIN(SurfaceArea); | SELECT T1.District FROM City AS T1 INNER JOIN Country AS T2 ON T1.CountryCode = T2.Code ORDER BY T2.SurfaceArea ASC LIMIT 1 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE `City` (
`ID` INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT,
`Name` TEXT NOT NULL DEFAULT '',
`CountryCode` TEXT NOT NULL DEFAULT '',
`District` TEXT NOT NULL DEFAULT '',
`Population` INTEGER NOT NULL DEFAULT 0,
FOREIGN KEY (`CountryCode`) REFERENCES `Country` (`Code`)
);
CREATE TABLE `Country` (
`Code` TEXT NOT NULL DEFAULT '',
`Name` TEXT NOT NULL DEFAULT '',
`Continent` TEXT NOT NULL DEFAULT 'Asia',
`Region` TEXT NOT NULL DEFAULT '',
`SurfaceArea` REAL NOT NULL DEFAULT 0.00,
`IndepYear` INTEGER DEFAULT NULL,
`Population` INTEGER NOT NULL DEFAULT 0,
`LifeExpectancy` REAL DEFAULT NULL,
`GNP` REAL DEFAULT NULL,
`GNPOld` REAL DEFAULT NULL,
`LocalName` TEXT NOT NULL DEFAULT '',
`GovernmentForm` TEXT NOT NULL DEFAULT '',
`HeadOfState` TEXT DEFAULT NULL,
`Capital` INTEGER DEFAULT NULL,
`Code2` TEXT NOT NULL DEFAULT '',
PRIMARY KEY (`Code`)
);
CREATE TABLE `CountryLanguage` (
`CountryCode` TEXT NOT NULL DEFAULT '',
`Language` TEXT NOT NULL DEFAULT '',
`IsOfficial`TEXT NOT NULL DEFAULT 'F',
`Percentage` REAL NOT NULL DEFAULT 0.0,
PRIMARY KEY (`CountryCode`,`Language`),
FOREIGN KEY (`CountryCode`) REFERENCES `Country` (`Code`)
);
|
hockey | Among the teams with the most number of ties, how many penalty was committed by a player or coach that is not on the ice? Indicate the name of the team. | penalty refers to BenchMinor; Ties refer to T | SELECT BenchMinor, name FROM Teams ORDER BY T DESC LIMIT 1 | CREATE TABLE AwardsMisc
(
name TEXT not null
primary key,
ID TEXT,
award TEXT,
year INTEGER,
lgID TEXT,
note TEXT
);
CREATE TABLE HOF
(
year INTEGER,
hofID TEXT not null
primary key,
name TEXT,
category TEXT
);
CREATE TABLE Teams
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
franchID TEXT,
confID TEXT,
divID TEXT,
rank INTEGER,
playoff TEXT,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
OTL TEXT,
Pts INTEGER,
SoW TEXT,
SoL TEXT,
GF INTEGER,
GA INTEGER,
name TEXT,
PIM TEXT,
BenchMinor TEXT,
PPG TEXT,
PPC TEXT,
SHA TEXT,
PKG TEXT,
PKC TEXT,
SHF TEXT,
primary key (year, tmID)
);
CREATE TABLE Coaches
(
coachID TEXT not null,
year INTEGER not null,
tmID TEXT not null,
lgID TEXT,
stint INTEGER not null,
notes TEXT,
g INTEGER,
w INTEGER,
l INTEGER,
t INTEGER,
postg TEXT,
postw TEXT,
postl TEXT,
postt TEXT,
primary key (coachID, year, tmID, stint),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE AwardsCoaches
(
coachID TEXT,
award TEXT,
year INTEGER,
lgID TEXT,
note TEXT,
foreign key (coachID) references Coaches (coachID)
);
CREATE TABLE Master
(
playerID TEXT,
coachID TEXT,
hofID TEXT,
firstName TEXT,
lastName TEXT not null,
nameNote TEXT,
nameGiven TEXT,
nameNick TEXT,
height TEXT,
weight TEXT,
shootCatch TEXT,
legendsID TEXT,
ihdbID TEXT,
hrefID TEXT,
firstNHL TEXT,
lastNHL TEXT,
firstWHA TEXT,
lastWHA TEXT,
pos TEXT,
birthYear TEXT,
birthMon TEXT,
birthDay TEXT,
birthCountry TEXT,
birthState TEXT,
birthCity TEXT,
deathYear TEXT,
deathMon TEXT,
deathDay TEXT,
deathCountry TEXT,
deathState TEXT,
deathCity TEXT,
foreign key (coachID) references Coaches (coachID)
on update cascade on delete cascade
);
CREATE TABLE AwardsPlayers
(
playerID TEXT not null,
award TEXT not null,
year INTEGER not null,
lgID TEXT,
note TEXT,
pos TEXT,
primary key (playerID, award, year),
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE CombinedShutouts
(
year INTEGER,
month INTEGER,
date INTEGER,
tmID TEXT,
oppID TEXT,
"R/P" TEXT,
IDgoalie1 TEXT,
IDgoalie2 TEXT,
foreign key (IDgoalie1) references Master (playerID)
on update cascade on delete cascade,
foreign key (IDgoalie2) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE Goalies
(
playerID TEXT not null,
year INTEGER not null,
stint INTEGER not null,
tmID TEXT,
lgID TEXT,
GP TEXT,
Min TEXT,
W TEXT,
L TEXT,
"T/OL" TEXT,
ENG TEXT,
SHO TEXT,
GA TEXT,
SA TEXT,
PostGP TEXT,
PostMin TEXT,
PostW TEXT,
PostL TEXT,
PostT TEXT,
PostENG TEXT,
PostSHO TEXT,
PostGA TEXT,
PostSA TEXT,
primary key (playerID, year, stint),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE GoaliesSC
(
playerID TEXT not null,
year INTEGER not null,
tmID TEXT,
lgID TEXT,
GP INTEGER,
Min INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
SHO INTEGER,
GA INTEGER,
primary key (playerID, year),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE GoaliesShootout
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
W INTEGER,
L INTEGER,
SA INTEGER,
GA INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE Scoring
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
lgID TEXT,
pos TEXT,
GP INTEGER,
G INTEGER,
A INTEGER,
Pts INTEGER,
PIM INTEGER,
"+/-" TEXT,
PPG TEXT,
PPA TEXT,
SHG TEXT,
SHA TEXT,
GWG TEXT,
GTG TEXT,
SOG TEXT,
PostGP TEXT,
PostG TEXT,
PostA TEXT,
PostPts TEXT,
PostPIM TEXT,
"Post+/-" TEXT,
PostPPG TEXT,
PostPPA TEXT,
PostSHG TEXT,
PostSHA TEXT,
PostGWG TEXT,
PostSOG TEXT,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringSC
(
playerID TEXT,
year INTEGER,
tmID TEXT,
lgID TEXT,
pos TEXT,
GP INTEGER,
G INTEGER,
A INTEGER,
Pts INTEGER,
PIM INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringShootout
(
playerID TEXT,
year INTEGER,
stint INTEGER,
tmID TEXT,
S INTEGER,
G INTEGER,
GDG INTEGER,
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE ScoringSup
(
playerID TEXT,
year INTEGER,
PPA TEXT,
SHA TEXT,
foreign key (playerID) references Master (playerID)
on update cascade on delete cascade
);
CREATE TABLE SeriesPost
(
year INTEGER,
round TEXT,
series TEXT,
tmIDWinner TEXT,
lgIDWinner TEXT,
tmIDLoser TEXT,
lgIDLoser TEXT,
W INTEGER,
L INTEGER,
T INTEGER,
GoalsWinner INTEGER,
GoalsLoser INTEGER,
note TEXT,
foreign key (year, tmIDWinner) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (year, tmIDLoser) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamSplits
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
hW INTEGER,
hL INTEGER,
hT INTEGER,
hOTL TEXT,
rW INTEGER,
rL INTEGER,
rT INTEGER,
rOTL TEXT,
SepW TEXT,
SepL TEXT,
SepT TEXT,
SepOL TEXT,
OctW TEXT,
OctL TEXT,
OctT TEXT,
OctOL TEXT,
NovW TEXT,
NovL TEXT,
NovT TEXT,
NovOL TEXT,
DecW TEXT,
DecL TEXT,
DecT TEXT,
DecOL TEXT,
JanW INTEGER,
JanL INTEGER,
JanT INTEGER,
JanOL TEXT,
FebW INTEGER,
FebL INTEGER,
FebT INTEGER,
FebOL TEXT,
MarW TEXT,
MarL TEXT,
MarT TEXT,
MarOL TEXT,
AprW TEXT,
AprL TEXT,
AprT TEXT,
AprOL TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamVsTeam
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
oppID TEXT not null,
W INTEGER,
L INTEGER,
T INTEGER,
OTL TEXT,
primary key (year, tmID, oppID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade,
foreign key (oppID, year) references Teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE TeamsHalf
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
half INTEGER not null,
rank INTEGER,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
primary key (year, tmID, half),
foreign key (tmID, year) references Teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE TeamsPost
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
PIM TEXT,
BenchMinor TEXT,
PPG TEXT,
PPC TEXT,
SHA TEXT,
PKG TEXT,
PKC TEXT,
SHF TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE TeamsSC
(
year INTEGER not null,
lgID TEXT,
tmID TEXT not null,
G INTEGER,
W INTEGER,
L INTEGER,
T INTEGER,
GF INTEGER,
GA INTEGER,
PIM TEXT,
primary key (year, tmID),
foreign key (year, tmID) references Teams (year, tmID)
on update cascade on delete cascade
);
CREATE TABLE abbrev
(
Type TEXT not null,
Code TEXT not null,
Fullname TEXT,
primary key (Type, Code)
);
|
synthea | What is the glucose level of the patient that lives at 365 Della Crossroad Suite 202, Deerfield, MA 01342 US? | glucose level refers to VALUE, UNITS where DESCRIPTION = 'Glucose' from observations; lives at 365 Della Crossroad Suite 202, Deerfield, MA 01342 US refers to address = '365 Della Crossroad Suite 202 Deerfield MA 01342 US'; | SELECT DISTINCT T2.DESCRIPTION, T2.VALUE, T2.UNITS FROM patients AS T1 INNER JOIN observations AS T2 ON T1.patient = T2.PATIENT WHERE T2.DESCRIPTION = 'Glucose' AND T1.address = '365 Della Crossroad Suite 202 Deerfield MA 01342 US' | CREATE TABLE all_prevalences
(
ITEM TEXT
primary key,
"POPULATION TYPE" TEXT,
OCCURRENCES INTEGER,
"POPULATION COUNT" INTEGER,
"PREVALENCE RATE" REAL,
"PREVALENCE PERCENTAGE" REAL
);
CREATE TABLE patients
(
patient TEXT
primary key,
birthdate DATE,
deathdate DATE,
ssn TEXT,
drivers TEXT,
passport TEXT,
prefix TEXT,
first TEXT,
last TEXT,
suffix TEXT,
maiden TEXT,
marital TEXT,
race TEXT,
ethnicity TEXT,
gender TEXT,
birthplace TEXT,
address TEXT
);
CREATE TABLE encounters
(
ID TEXT
primary key,
DATE DATE,
PATIENT TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
REASONCODE INTEGER,
REASONDESCRIPTION TEXT,
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE allergies
(
START TEXT,
STOP TEXT,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
primary key (PATIENT, ENCOUNTER, CODE),
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE careplans
(
ID TEXT,
START DATE,
STOP DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE REAL,
DESCRIPTION TEXT,
REASONCODE INTEGER,
REASONDESCRIPTION TEXT,
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE conditions
(
START DATE,
STOP DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient),
foreign key (DESCRIPTION) references all_prevalences(ITEM)
);
CREATE TABLE immunizations
(
DATE DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
primary key (DATE, PATIENT, ENCOUNTER, CODE),
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE medications
(
START DATE,
STOP DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
REASONCODE INTEGER,
REASONDESCRIPTION TEXT,
primary key (START, PATIENT, ENCOUNTER, CODE),
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE observations
(
DATE DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE TEXT,
DESCRIPTION TEXT,
VALUE REAL,
UNITS TEXT,
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE procedures
(
DATE DATE,
PATIENT TEXT,
ENCOUNTER TEXT,
CODE INTEGER,
DESCRIPTION TEXT,
REASONCODE INTEGER,
REASONDESCRIPTION TEXT,
foreign key (ENCOUNTER) references encounters(ID),
foreign key (PATIENT) references patients(patient)
);
CREATE TABLE IF NOT EXISTS "claims"
(
ID TEXT
primary key,
PATIENT TEXT
references patients,
BILLABLEPERIOD DATE,
ORGANIZATION TEXT,
ENCOUNTER TEXT
references encounters,
DIAGNOSIS TEXT,
TOTAL INTEGER
);
|
app_store | Which 1,000,000,000+ intalls apps has the most no comment reviews? | no comment refers to Translated_Review = 'nan'; most no comment reviews = (MAX(COUNT(Translated_Review = 'nan'))); | SELECT T1.App FROM playstore AS T1 INNER JOIN user_reviews AS T2 ON T1.App = T2.App WHERE T1.Installs = '1,000,000+' AND T2.Translated_Review = 'nan' GROUP BY T1.App ORDER BY COUNT(T2.Translated_Review) DESC LIMIT 1 | CREATE TABLE IF NOT EXISTS "playstore"
(
App TEXT,
Category TEXT,
Rating REAL,
Reviews INTEGER,
Size TEXT,
Installs TEXT,
Type TEXT,
Price TEXT,
"Content Rating" TEXT,
Genres TEXT
);
CREATE TABLE IF NOT EXISTS "user_reviews"
(
App TEXT
references "playstore" (App),
Translated_Review TEXT,
Sentiment TEXT,
Sentiment_Polarity TEXT,
Sentiment_Subjectivity TEXT
);
|
movie_3 | Which country does Mary Smith live in? | SELECT T3.country FROM address AS T1 INNER JOIN city AS T2 ON T1.city_id = T2.city_id INNER JOIN country AS T3 ON T2.country_id = T3.country_id INNER JOIN customer AS T4 ON T1.address_id = T4.address_id WHERE T4.first_name = 'MARY' AND T4.last_name = 'SMITH' | CREATE TABLE film_text
(
film_id INTEGER not null
primary key,
title TEXT not null,
description TEXT null
);
CREATE TABLE IF NOT EXISTS "actor"
(
actor_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "address"
(
address_id INTEGER
primary key autoincrement,
address TEXT not null,
address2 TEXT,
district TEXT not null,
city_id INTEGER not null
references city
on update cascade,
postal_code TEXT,
phone TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "category"
(
category_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "city"
(
city_id INTEGER
primary key autoincrement,
city TEXT not null,
country_id INTEGER not null
references country
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "country"
(
country_id INTEGER
primary key autoincrement,
country TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "customer"
(
customer_id INTEGER
primary key autoincrement,
store_id INTEGER not null
references store
on update cascade,
first_name TEXT not null,
last_name TEXT not null,
email TEXT,
address_id INTEGER not null
references address
on update cascade,
active INTEGER default 1 not null,
create_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film"
(
film_id INTEGER
primary key autoincrement,
title TEXT not null,
description TEXT,
release_year TEXT,
language_id INTEGER not null
references language
on update cascade,
original_language_id INTEGER
references language
on update cascade,
rental_duration INTEGER default 3 not null,
rental_rate REAL default 4.99 not null,
length INTEGER,
replacement_cost REAL default 19.99 not null,
rating TEXT default 'G',
special_features TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film_actor"
(
actor_id INTEGER not null
references actor
on update cascade,
film_id INTEGER not null
references film
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (actor_id, film_id)
);
CREATE TABLE IF NOT EXISTS "film_category"
(
film_id INTEGER not null
references film
on update cascade,
category_id INTEGER not null
references category
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (film_id, category_id)
);
CREATE TABLE IF NOT EXISTS "inventory"
(
inventory_id INTEGER
primary key autoincrement,
film_id INTEGER not null
references film
on update cascade,
store_id INTEGER not null
references store
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "language"
(
language_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "payment"
(
payment_id INTEGER
primary key autoincrement,
customer_id INTEGER not null
references customer
on update cascade,
staff_id INTEGER not null
references staff
on update cascade,
rental_id INTEGER
references rental
on update cascade on delete set null,
amount REAL not null,
payment_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "rental"
(
rental_id INTEGER
primary key autoincrement,
rental_date DATETIME not null,
inventory_id INTEGER not null
references inventory
on update cascade,
customer_id INTEGER not null
references customer
on update cascade,
return_date DATETIME,
staff_id INTEGER not null
references staff
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
unique (rental_date, inventory_id, customer_id)
);
CREATE TABLE IF NOT EXISTS "staff"
(
staff_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
address_id INTEGER not null
references address
on update cascade,
picture BLOB,
email TEXT,
store_id INTEGER not null
references store
on update cascade,
active INTEGER default 1 not null,
username TEXT not null,
password TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "store"
(
store_id INTEGER
primary key autoincrement,
manager_staff_id INTEGER not null
unique
references staff
on update cascade,
address_id INTEGER not null
references address
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
|
|
mondial_geo | In which city is the European Bank for Reconstruction and Development's headquarters? Please include the city and province where the headquarters are located in your answer. | SELECT City, Province FROM organization WHERE Name = 'European Bank for Reconstruction and Development' | CREATE TABLE IF NOT EXISTS "borders"
(
Country1 TEXT default '' not null
constraint borders_ibfk_1
references country,
Country2 TEXT default '' not null
constraint borders_ibfk_2
references country,
Length REAL,
primary key (Country1, Country2)
);
CREATE TABLE IF NOT EXISTS "city"
(
Name TEXT default '' not null,
Country TEXT default '' not null
constraint city_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
Population INTEGER,
Longitude REAL,
Latitude REAL,
primary key (Name, Province),
constraint city_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "continent"
(
Name TEXT default '' not null
primary key,
Area REAL
);
CREATE TABLE IF NOT EXISTS "country"
(
Name TEXT not null
constraint ix_county_Name
unique,
Code TEXT default '' not null
primary key,
Capital TEXT,
Province TEXT,
Area REAL,
Population INTEGER
);
CREATE TABLE IF NOT EXISTS "desert"
(
Name TEXT default '' not null
primary key,
Area REAL,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "economy"
(
Country TEXT default '' not null
primary key
constraint economy_ibfk_1
references country
on update cascade on delete cascade,
GDP REAL,
Agriculture REAL,
Service REAL,
Industry REAL,
Inflation REAL
);
CREATE TABLE IF NOT EXISTS "encompasses"
(
Country TEXT not null
constraint encompasses_ibfk_1
references country
on update cascade on delete cascade,
Continent TEXT not null
constraint encompasses_ibfk_2
references continent
on update cascade on delete cascade,
Percentage REAL,
primary key (Country, Continent)
);
CREATE TABLE IF NOT EXISTS "ethnicGroup"
(
Country TEXT default '' not null
constraint ethnicGroup_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "geo_desert"
(
Desert TEXT default '' not null
constraint geo_desert_ibfk_3
references desert
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_desert_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Desert),
constraint geo_desert_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_estuary"
(
River TEXT default '' not null
constraint geo_estuary_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_estuary_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_estuary_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_island"
(
Island TEXT default '' not null
constraint geo_island_ibfk_3
references island
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_island_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Island),
constraint geo_island_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_lake"
(
Lake TEXT default '' not null
constraint geo_lake_ibfk_3
references lake
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_lake_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Lake),
constraint geo_lake_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_mountain"
(
Mountain TEXT default '' not null
constraint geo_mountain_ibfk_3
references mountain
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_mountain_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Mountain),
constraint geo_mountain_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_river"
(
River TEXT default '' not null
constraint geo_river_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_river_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_river_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_sea"
(
Sea TEXT default '' not null
constraint geo_sea_ibfk_3
references sea
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_sea_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Sea),
constraint geo_sea_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_source"
(
River TEXT default '' not null
constraint geo_source_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_source_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_source_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "island"
(
Name TEXT default '' not null
primary key,
Islands TEXT,
Area REAL,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "islandIn"
(
Island TEXT
constraint islandIn_ibfk_4
references island
on update cascade on delete cascade,
Sea TEXT
constraint islandIn_ibfk_3
references sea
on update cascade on delete cascade,
Lake TEXT
constraint islandIn_ibfk_1
references lake
on update cascade on delete cascade,
River TEXT
constraint islandIn_ibfk_2
references river
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "isMember"
(
Country TEXT default '' not null
constraint isMember_ibfk_1
references country
on update cascade on delete cascade,
Organization TEXT default '' not null
constraint isMember_ibfk_2
references organization
on update cascade on delete cascade,
Type TEXT default 'member',
primary key (Country, Organization)
);
CREATE TABLE IF NOT EXISTS "lake"
(
Name TEXT default '' not null
primary key,
Area REAL,
Depth REAL,
Altitude REAL,
Type TEXT,
River TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "language"
(
Country TEXT default '' not null
constraint language_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "located"
(
City TEXT,
Province TEXT,
Country TEXT
constraint located_ibfk_1
references country
on update cascade on delete cascade,
River TEXT
constraint located_ibfk_3
references river
on update cascade on delete cascade,
Lake TEXT
constraint located_ibfk_4
references lake
on update cascade on delete cascade,
Sea TEXT
constraint located_ibfk_5
references sea
on update cascade on delete cascade,
constraint located_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint located_ibfk_6
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "locatedOn"
(
City TEXT default '' not null,
Province TEXT default '' not null,
Country TEXT default '' not null
constraint locatedOn_ibfk_1
references country
on update cascade on delete cascade,
Island TEXT default '' not null
constraint locatedOn_ibfk_2
references island
on update cascade on delete cascade,
primary key (City, Province, Country, Island),
constraint locatedOn_ibfk_3
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint locatedOn_ibfk_4
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "mergesWith"
(
Sea1 TEXT default '' not null
constraint mergesWith_ibfk_1
references sea
on update cascade on delete cascade,
Sea2 TEXT default '' not null
constraint mergesWith_ibfk_2
references sea
on update cascade on delete cascade,
primary key (Sea1, Sea2)
);
CREATE TABLE IF NOT EXISTS "mountain"
(
Name TEXT default '' not null
primary key,
Mountains TEXT,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "mountainOnIsland"
(
Mountain TEXT default '' not null
constraint mountainOnIsland_ibfk_2
references mountain
on update cascade on delete cascade,
Island TEXT default '' not null
constraint mountainOnIsland_ibfk_1
references island
on update cascade on delete cascade,
primary key (Mountain, Island)
);
CREATE TABLE IF NOT EXISTS "organization"
(
Abbreviation TEXT not null
primary key,
Name TEXT not null
constraint ix_organization_OrgNameUnique
unique,
City TEXT,
Country TEXT
constraint organization_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT,
Established DATE,
constraint organization_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint organization_ibfk_3
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "politics"
(
Country TEXT default '' not null
primary key
constraint politics_ibfk_1
references country
on update cascade on delete cascade,
Independence DATE,
Dependent TEXT
constraint politics_ibfk_2
references country
on update cascade on delete cascade,
Government TEXT
);
CREATE TABLE IF NOT EXISTS "population"
(
Country TEXT default '' not null
primary key
constraint population_ibfk_1
references country
on update cascade on delete cascade,
Population_Growth REAL,
Infant_Mortality REAL
);
CREATE TABLE IF NOT EXISTS "province"
(
Name TEXT not null,
Country TEXT not null
constraint province_ibfk_1
references country
on update cascade on delete cascade,
Population INTEGER,
Area REAL,
Capital TEXT,
CapProv TEXT,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "religion"
(
Country TEXT default '' not null
constraint religion_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "river"
(
Name TEXT default '' not null
primary key,
River TEXT,
Lake TEXT
constraint river_ibfk_1
references lake
on update cascade on delete cascade,
Sea TEXT,
Length REAL,
SourceLongitude REAL,
SourceLatitude REAL,
Mountains TEXT,
SourceAltitude REAL,
EstuaryLongitude REAL,
EstuaryLatitude REAL
);
CREATE TABLE IF NOT EXISTS "sea"
(
Name TEXT default '' not null
primary key,
Depth REAL
);
CREATE TABLE IF NOT EXISTS "target"
(
Country TEXT not null
primary key
constraint target_Country_fkey
references country
on update cascade on delete cascade,
Target TEXT
);
|
|
donor | How many suburban metros are there in Livingston Parish School District? | suburban metros refer to metro = 'suburban'; Livingston Parish School District refer to school_district | SELECT COUNT(projectid) FROM projects WHERE school_district = 'Livingston Parish School Dist' AND school_metro = 'suburban' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "essays"
(
projectid TEXT,
teacher_acctid TEXT,
title TEXT,
short_description TEXT,
need_statement TEXT,
essay TEXT
);
CREATE TABLE IF NOT EXISTS "projects"
(
projectid TEXT not null
primary key,
teacher_acctid TEXT,
schoolid TEXT,
school_ncesid TEXT,
school_latitude REAL,
school_longitude REAL,
school_city TEXT,
school_state TEXT,
school_zip INTEGER,
school_metro TEXT,
school_district TEXT,
school_county TEXT,
school_charter TEXT,
school_magnet TEXT,
school_year_round TEXT,
school_nlns TEXT,
school_kipp TEXT,
school_charter_ready_promise TEXT,
teacher_prefix TEXT,
teacher_teach_for_america TEXT,
teacher_ny_teaching_fellow TEXT,
primary_focus_subject TEXT,
primary_focus_area TEXT,
secondary_focus_subject TEXT,
secondary_focus_area TEXT,
resource_type TEXT,
poverty_level TEXT,
grade_level TEXT,
fulfillment_labor_materials REAL,
total_price_excluding_optional_support REAL,
total_price_including_optional_support REAL,
students_reached INTEGER,
eligible_double_your_impact_match TEXT,
eligible_almost_home_match TEXT,
date_posted DATE
);
CREATE TABLE donations
(
donationid TEXT not null
primary key,
projectid TEXT,
donor_acctid TEXT,
donor_city TEXT,
donor_state TEXT,
donor_zip TEXT,
is_teacher_acct TEXT,
donation_timestamp DATETIME,
donation_to_project REAL,
donation_optional_support REAL,
donation_total REAL,
dollar_amount TEXT,
donation_included_optional_support TEXT,
payment_method TEXT,
payment_included_acct_credit TEXT,
payment_included_campaign_gift_card TEXT,
payment_included_web_purchased_gift_card TEXT,
payment_was_promo_matched TEXT,
via_giving_page TEXT,
for_honoree TEXT,
donation_message TEXT,
foreign key (projectid) references projects(projectid)
);
CREATE TABLE resources
(
resourceid TEXT not null
primary key,
projectid TEXT,
vendorid INTEGER,
vendor_name TEXT,
project_resource_type TEXT,
item_name TEXT,
item_number TEXT,
item_unit_price REAL,
item_quantity INTEGER,
foreign key (projectid) references projects(projectid)
);
|
language_corpus | How many word that has number of different words equal to 3? | This is not; | SELECT COUNT(T2.wid) FROM pages AS T1 INNER JOIN pages_words AS T2 ON T1.pid = T2.pid WHERE T1.words = 3 | CREATE TABLE langs(lid INTEGER PRIMARY KEY AUTOINCREMENT,
lang TEXT UNIQUE,
locale TEXT UNIQUE,
pages INTEGER DEFAULT 0, -- total pages in this language
words INTEGER DEFAULT 0);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE pages(pid INTEGER PRIMARY KEY AUTOINCREMENT,
lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
page INTEGER DEFAULT NULL, -- wikipedia page id
revision INTEGER DEFAULT NULL, -- wikipedia revision page id
title TEXT,
words INTEGER DEFAULT 0, -- number of different words in this page
UNIQUE(lid,page,title));
CREATE TRIGGER ins_page AFTER INSERT ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_page AFTER DELETE ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages-1 WHERE lid=OLD.lid;
END;
CREATE TABLE words(wid INTEGER PRIMARY KEY AUTOINCREMENT,
word TEXT UNIQUE,
occurrences INTEGER DEFAULT 0);
CREATE TABLE langs_words(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER, -- repetitions of this word in this language
PRIMARY KEY(lid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_lang_word AFTER INSERT ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_lang_word AFTER DELETE ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words-1 WHERE lid=OLD.lid;
END;
CREATE TABLE pages_words(pid INTEGER REFERENCES pages(pid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this word appears into this page
PRIMARY KEY(pid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_page_word AFTER INSERT ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words+1 WHERE pid=NEW.pid;
END;
CREATE TRIGGER del_page_word AFTER DELETE ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words-1 WHERE pid=OLD.pid;
END;
CREATE TABLE biwords(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
w1st INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
w2nd INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this pair appears in this language/page
PRIMARY KEY(lid,w1st,w2nd))
WITHOUT ROWID;
|
student_loan | List any ten male students who enlisted for foreign legion. | male students are mentioned in male.name; foreign legion refers to organ = 'foreign_legion'; | SELECT T1.name FROM enlist AS T1 INNER JOIN male AS T2 ON T2.name = T1.name WHERE T1.organ = 'foreign_legion' LIMIT 10 | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
movielens | Please list all horror films that have a rating of 1. | SELECT T1.movieid FROM u2base AS T1 INNER JOIN movies2directors AS T2 ON T1.movieid = T2.movieid WHERE T1.rating = 1 AND T2.genre = 'Horror' | CREATE TABLE users
(
userid INTEGER default 0 not null
primary key,
age TEXT not null,
u_gender TEXT not null,
occupation TEXT not null
);
CREATE TABLE IF NOT EXISTS "directors"
(
directorid INTEGER not null
primary key,
d_quality INTEGER not null,
avg_revenue INTEGER not null
);
CREATE INDEX avg_revenue
on directors (avg_revenue);
CREATE INDEX d_quality
on directors (d_quality);
CREATE TABLE IF NOT EXISTS "actors"
(
actorid INTEGER not null
primary key,
a_gender TEXT not null,
a_quality INTEGER not null
);
CREATE TABLE IF NOT EXISTS "movies"
(
movieid INTEGER default 0 not null
primary key,
year INTEGER not null,
isEnglish TEXT not null,
country TEXT not null,
runningtime INTEGER not null
);
CREATE TABLE IF NOT EXISTS "movies2actors"
(
movieid INTEGER not null
references movies
on update cascade on delete cascade,
actorid INTEGER not null
references actors
on update cascade on delete cascade,
cast_num INTEGER not null,
primary key (movieid, actorid)
);
CREATE TABLE IF NOT EXISTS "movies2directors"
(
movieid INTEGER not null
references movies
on update cascade on delete cascade,
directorid INTEGER not null
references directors
on update cascade on delete cascade,
genre TEXT not null,
primary key (movieid, directorid)
);
CREATE TABLE IF NOT EXISTS "u2base"
(
userid INTEGER default 0 not null
references users
on update cascade on delete cascade,
movieid INTEGER not null
references movies
on update cascade on delete cascade,
rating TEXT not null,
primary key (userid, movieid)
);
|
|
olympics | How many female competitors were from Iran? | female competitors refer to person_id where gender = 'F'; from Iran refers to region_name = 'Iran'; | SELECT COUNT(T2.person_id) FROM noc_region AS T1 INNER JOIN person_region AS T2 ON T1.id = T2.region_id INNER JOIN person AS T3 ON T2.person_id = T3.id WHERE T1.region_name = 'Iran' AND T3.gender = 'F' | CREATE TABLE city
(
id INTEGER not null
primary key,
city_name TEXT default NULL
);
CREATE TABLE games
(
id INTEGER not null
primary key,
games_year INTEGER default NULL,
games_name TEXT default NULL,
season TEXT default NULL
);
CREATE TABLE games_city
(
games_id INTEGER default NULL,
city_id INTEGER default NULL,
foreign key (city_id) references city(id),
foreign key (games_id) references games(id)
);
CREATE TABLE medal
(
id INTEGER not null
primary key,
medal_name TEXT default NULL
);
CREATE TABLE noc_region
(
id INTEGER not null
primary key,
noc TEXT default NULL,
region_name TEXT default NULL
);
CREATE TABLE person
(
id INTEGER not null
primary key,
full_name TEXT default NULL,
gender TEXT default NULL,
height INTEGER default NULL,
weight INTEGER default NULL
);
CREATE TABLE games_competitor
(
id INTEGER not null
primary key,
games_id INTEGER default NULL,
person_id INTEGER default NULL,
age INTEGER default NULL,
foreign key (games_id) references games(id),
foreign key (person_id) references person(id)
);
CREATE TABLE person_region
(
person_id INTEGER default NULL,
region_id INTEGER default NULL,
foreign key (person_id) references person(id),
foreign key (region_id) references noc_region(id)
);
CREATE TABLE sport
(
id INTEGER not null
primary key,
sport_name TEXT default NULL
);
CREATE TABLE event
(
id INTEGER not null
primary key,
sport_id INTEGER default NULL,
event_name TEXT default NULL,
foreign key (sport_id) references sport(id)
);
CREATE TABLE competitor_event
(
event_id INTEGER default NULL,
competitor_id INTEGER default NULL,
medal_id INTEGER default NULL,
foreign key (competitor_id) references games_competitor(id),
foreign key (event_id) references event(id),
foreign key (medal_id) references medal(id)
);
|
student_loan | Please list the male students that are disabled and have filed for bankruptcy. | male students that are disabled and have filed for bankruptcy refers to name that appeared in all three male, disabled and filed_for_bankrupcy tables. | SELECT T1.name, T2.name, T3.name FROM disabled AS T1 INNER JOIN male AS T2 ON T1.`name` = T2.`name` INNER JOIN filed_for_bankrupcy AS T3 ON T1.`name` = T3.`name` | CREATE TABLE bool
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE person
(
"name" TEXT default '' not null
primary key
);
CREATE TABLE disabled
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE enlist
(
"name" TEXT not null,
organ TEXT not null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE filed_for_bankrupcy
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE longest_absense_from_school
(
"name" TEXT default '' not null
primary key,
"month" INTEGER default 0 null,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE male
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE no_payment_due
(
"name" TEXT default '' not null
primary key,
bool TEXT null,
foreign key ("name") references person ("name")
on update cascade on delete cascade,
foreign key (bool) references bool ("name")
on update cascade on delete cascade
);
CREATE TABLE unemployed
(
"name" TEXT default '' not null
primary key,
foreign key ("name") references person ("name")
on update cascade on delete cascade
);
CREATE TABLE `enrolled` (
`name` TEXT NOT NULL,
`school` TEXT NOT NULL,
`month` INTEGER NOT NULL DEFAULT 0,
PRIMARY KEY (`name`,`school`),
FOREIGN KEY (`name`) REFERENCES `person` (`name`) ON DELETE CASCADE ON UPDATE CASCADE
);
|
works_cycles | What is the total price of Sales Order ID 46625 with Volume Discount 11 to 14 and Product ID 716? | total price = multiply(UnitPrice, OrderQty); | SELECT T2.UnitPrice * T2.OrderQty FROM SpecialOffer AS T1 INNER JOIN SalesOrderDetail AS T2 ON T1.SpecialOfferID = T2.SpecialOfferID WHERE T1.Description = 'Volume Discount 11 to 14' AND T1.SpecialOfferID = 2 AND T2.ProductID = 716 AND T2.SalesOrderID = 46625 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
citeseer | Which paper ID cited the most word? In which class label does it belongs to? | most cited word refers to max(word_cited_id); | SELECT T1.paper_id, T1.class_label FROM paper AS T1 INNER JOIN content AS T2 ON T1.paper_id = T2.paper_id GROUP BY T1.paper_id, T1.class_label ORDER BY COUNT(T2.word_cited_id) DESC LIMIT 1 | CREATE TABLE cites
(
cited_paper_id TEXT not null,
citing_paper_id TEXT not null,
primary key (cited_paper_id, citing_paper_id)
);
CREATE TABLE paper
(
paper_id TEXT not null
primary key,
class_label TEXT not null
);
CREATE TABLE content
(
paper_id TEXT not null,
word_cited_id TEXT not null,
primary key (paper_id, word_cited_id),
foreign key (paper_id) references paper(paper_id)
);
|
cs_semester | List the course's name where students acquired a grade of D. | SELECT T1.name FROM course AS T1 INNER JOIN registration AS T2 ON T1.course_id = T2.course_id WHERE T2.grade = 'D' | CREATE TABLE IF NOT EXISTS "course"
(
course_id INTEGER
constraint course_pk
primary key,
name TEXT,
credit INTEGER,
diff INTEGER
);
CREATE TABLE prof
(
prof_id INTEGER
constraint prof_pk
primary key,
gender TEXT,
first_name TEXT,
last_name TEXT,
email TEXT,
popularity INTEGER,
teachingability INTEGER,
graduate_from TEXT
);
CREATE TABLE RA
(
student_id INTEGER,
capability INTEGER,
prof_id INTEGER,
salary TEXT,
primary key (student_id, prof_id),
foreign key (prof_id) references prof(prof_id),
foreign key (student_id) references student(student_id)
);
CREATE TABLE registration
(
course_id INTEGER,
student_id INTEGER,
grade TEXT,
sat INTEGER,
primary key (course_id, student_id),
foreign key (course_id) references course(course_id),
foreign key (student_id) references student(student_id)
);
CREATE TABLE student
(
student_id INTEGER
primary key,
f_name TEXT,
l_name TEXT,
phone_number TEXT,
email TEXT,
intelligence INTEGER,
gpa REAL,
type TEXT
);
|
|
movies_4 | List down five movie titles that were released before 2000. | released before 2000 refers to release_date < '2000-01-01' | SELECT title FROM movie WHERE CAST(STRFTIME('%Y', release_date) AS INT) < 2000 LIMIT 5 | CREATE TABLE country
(
country_id INTEGER not null
primary key,
country_iso_code TEXT default NULL,
country_name TEXT default NULL
);
CREATE TABLE department
(
department_id INTEGER not null
primary key,
department_name TEXT default NULL
);
CREATE TABLE gender
(
gender_id INTEGER not null
primary key,
gender TEXT default NULL
);
CREATE TABLE genre
(
genre_id INTEGER not null
primary key,
genre_name TEXT default NULL
);
CREATE TABLE keyword
(
keyword_id INTEGER not null
primary key,
keyword_name TEXT default NULL
);
CREATE TABLE language
(
language_id INTEGER not null
primary key,
language_code TEXT default NULL,
language_name TEXT default NULL
);
CREATE TABLE language_role
(
role_id INTEGER not null
primary key,
language_role TEXT default NULL
);
CREATE TABLE movie
(
movie_id INTEGER not null
primary key,
title TEXT default NULL,
budget INTEGER default NULL,
homepage TEXT default NULL,
overview TEXT default NULL,
popularity REAL default NULL,
release_date DATE default NULL,
revenue INTEGER default NULL,
runtime INTEGER default NULL,
movie_status TEXT default NULL,
tagline TEXT default NULL,
vote_average REAL default NULL,
vote_count INTEGER default NULL
);
CREATE TABLE movie_genres
(
movie_id INTEGER default NULL,
genre_id INTEGER default NULL,
foreign key (genre_id) references genre(genre_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_languages
(
movie_id INTEGER default NULL,
language_id INTEGER default NULL,
language_role_id INTEGER default NULL,
foreign key (language_id) references language(language_id),
foreign key (movie_id) references movie(movie_id),
foreign key (language_role_id) references language_role(role_id)
);
CREATE TABLE person
(
person_id INTEGER not null
primary key,
person_name TEXT default NULL
);
CREATE TABLE movie_crew
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
department_id INTEGER default NULL,
job TEXT default NULL,
foreign key (department_id) references department(department_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE production_company
(
company_id INTEGER not null
primary key,
company_name TEXT default NULL
);
CREATE TABLE production_country
(
movie_id INTEGER default NULL,
country_id INTEGER default NULL,
foreign key (country_id) references country(country_id),
foreign key (movie_id) references movie(movie_id)
);
CREATE TABLE movie_cast
(
movie_id INTEGER default NULL,
person_id INTEGER default NULL,
character_name TEXT default NULL,
gender_id INTEGER default NULL,
cast_order INTEGER default NULL,
foreign key (gender_id) references gender(gender_id),
foreign key (movie_id) references movie(movie_id),
foreign key (person_id) references person(person_id)
);
CREATE TABLE IF NOT EXISTS "movie_keywords"
(
movie_id INTEGER default NULL
references movie,
keyword_id INTEGER default NULL
references keyword
);
CREATE TABLE IF NOT EXISTS "movie_company"
(
movie_id INTEGER default NULL
references movie,
company_id INTEGER default NULL
references production_company
);
|
professional_basketball | Please list the name of the coach who has served more than 2 NBA teams. | "NBA" is the lgID; server more than 2 teams refers to Count(tmID) = 2 | SELECT coachID FROM coaches GROUP BY coachID HAVING COUNT(DISTINCT tmID) > 2 | CREATE TABLE awards_players
(
playerID TEXT not null,
award TEXT not null,
year INTEGER not null,
lgID TEXT null,
note TEXT null,
pos TEXT null,
primary key (playerID, year, award),
foreign key (playerID) references players (playerID)
on update cascade on delete cascade
);
CREATE TABLE coaches
(
coachID TEXT not null,
year INTEGER not null,
tmID TEXT not null,
lgID TEXT null,
stint INTEGER not null,
won INTEGER null,
lost INTEGER null,
post_wins INTEGER null,
post_losses INTEGER null,
primary key (coachID, year, tmID, stint),
foreign key (tmID, year) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE draft
(
id INTEGER default 0 not null
primary key,
draftYear INTEGER null,
draftRound INTEGER null,
draftSelection INTEGER null,
draftOverall INTEGER null,
tmID TEXT null,
firstName TEXT null,
lastName TEXT null,
suffixName TEXT null,
playerID TEXT null,
draftFrom TEXT null,
lgID TEXT null,
foreign key (tmID, draftYear) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE player_allstar
(
playerID TEXT not null,
last_name TEXT null,
first_name TEXT null,
season_id INTEGER not null,
conference TEXT null,
league_id TEXT null,
games_played INTEGER null,
minutes INTEGER null,
points INTEGER null,
o_rebounds INTEGER null,
d_rebounds INTEGER null,
rebounds INTEGER null,
assists INTEGER null,
steals INTEGER null,
blocks INTEGER null,
turnovers INTEGER null,
personal_fouls INTEGER null,
fg_attempted INTEGER null,
fg_made INTEGER null,
ft_attempted INTEGER null,
ft_made INTEGER null,
three_attempted INTEGER null,
three_made INTEGER null,
primary key (playerID, season_id),
foreign key (playerID) references players (playerID)
on update cascade on delete cascade
);
CREATE TABLE players
(
playerID TEXT not null
primary key,
useFirst TEXT null,
firstName TEXT null,
middleName TEXT null,
lastName TEXT null,
nameGiven TEXT null,
fullGivenName TEXT null,
nameSuffix TEXT null,
nameNick TEXT null,
pos TEXT null,
firstseason INTEGER null,
lastseason INTEGER null,
height REAL null,
weight INTEGER null,
college TEXT null,
collegeOther TEXT null,
birthDate DATE null,
birthCity TEXT null,
birthState TEXT null,
birthCountry TEXT null,
highSchool TEXT null,
hsCity TEXT null,
hsState TEXT null,
hsCountry TEXT null,
deathDate DATE null,
race TEXT null
);
CREATE TABLE teams
(
year INTEGER not null,
lgID TEXT null,
tmID TEXT not null,
franchID TEXT null,
confID TEXT null,
divID TEXT null,
`rank` INTEGER null,
confRank INTEGER null,
playoff TEXT null,
name TEXT null,
o_fgm INTEGER null,
-- o_fga int null,
o_ftm INTEGER null,
-- o_fta int null,
-- o_3pm int null,
-- o_3pa int null,
-- o_oreb int null,
-- o_dreb int null,
-- o_reb int null,
-- o_asts int null,
-- o_pf int null,
-- o_stl int null,
-- o_to int null,
-- o_blk int null,
o_pts INTEGER null,
-- d_fgm int null,
-- d_fga int null,
-- d_ftm int null,
-- d_fta int null,
-- d_3pm int null,
-- d_3pa int null,
-- d_oreb int null,
-- d_dreb int null,
-- d_reb int null,
-- d_asts int null,
-- d_pf int null,
-- d_stl int null,
-- d_to int null,
-- d_blk int null,
d_pts INTEGER null,
-- o_tmRebound int null,
-- d_tmRebound int null,
homeWon INTEGER null,
homeLost INTEGER null,
awayWon INTEGER null,
awayLost INTEGER null,
-- neutWon int null,
-- neutLoss int null,
-- confWon int null,
-- confLoss int null,
-- divWon int null,
-- divLoss int null,
-- pace int null,
won INTEGER null,
lost INTEGER null,
games INTEGER null,
-- min int null,
arena TEXT null,
-- attendance int null,
-- bbtmID varchar(255) null,
primary key (year, tmID)
);
CREATE TABLE IF NOT EXISTS "awards_coaches"
(
id INTEGER
primary key autoincrement,
year INTEGER,
coachID TEXT,
award TEXT,
lgID TEXT,
note TEXT,
foreign key (coachID, year) references coaches (coachID, year)
on update cascade on delete cascade
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "players_teams"
(
id INTEGER
primary key autoincrement,
playerID TEXT not null
references players
on update cascade on delete cascade,
year INTEGER,
stint INTEGER,
tmID TEXT,
lgID TEXT,
GP INTEGER,
GS INTEGER,
minutes INTEGER,
points INTEGER,
oRebounds INTEGER,
dRebounds INTEGER,
rebounds INTEGER,
assists INTEGER,
steals INTEGER,
blocks INTEGER,
turnovers INTEGER,
PF INTEGER,
fgAttempted INTEGER,
fgMade INTEGER,
ftAttempted INTEGER,
ftMade INTEGER,
threeAttempted INTEGER,
threeMade INTEGER,
PostGP INTEGER,
PostGS INTEGER,
PostMinutes INTEGER,
PostPoints INTEGER,
PostoRebounds INTEGER,
PostdRebounds INTEGER,
PostRebounds INTEGER,
PostAssists INTEGER,
PostSteals INTEGER,
PostBlocks INTEGER,
PostTurnovers INTEGER,
PostPF INTEGER,
PostfgAttempted INTEGER,
PostfgMade INTEGER,
PostftAttempted INTEGER,
PostftMade INTEGER,
PostthreeAttempted INTEGER,
PostthreeMade INTEGER,
note TEXT,
foreign key (tmID, year) references teams (tmID, year)
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "series_post"
(
id INTEGER
primary key autoincrement,
year INTEGER,
round TEXT,
series TEXT,
tmIDWinner TEXT,
lgIDWinner TEXT,
tmIDLoser TEXT,
lgIDLoser TEXT,
W INTEGER,
L INTEGER,
foreign key (tmIDWinner, year) references teams (tmID, year)
on update cascade on delete cascade,
foreign key (tmIDLoser, year) references teams (tmID, year)
on update cascade on delete cascade
);
|
retail_world | How many product names have order quantity less than 50? Calculate the percentage of orders less than 50 out of total order quantity. | order quantity less than 50 refers to Quantity < 50; Calculation = DIVIDE(SUM(Quantity < 50), SUM(ProductID)) * 100 | SELECT SUM(CASE WHEN T2.Quantity < 50 THEN 1 ELSE 0 END) , CAST(SUM(IF(T2.Quantity < 50, 1, 0)) AS REAL) / COUNT(T1.ProductID) FROM Products AS T1 INNER JOIN `Order Details` AS T2 ON T1.ProductID = T2.ProductID | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE Categories
(
CategoryID INTEGER PRIMARY KEY AUTOINCREMENT,
CategoryName TEXT,
Description TEXT
);
CREATE TABLE Customers
(
CustomerID INTEGER PRIMARY KEY AUTOINCREMENT,
CustomerName TEXT,
ContactName TEXT,
Address TEXT,
City TEXT,
PostalCode TEXT,
Country TEXT
);
CREATE TABLE Employees
(
EmployeeID INTEGER PRIMARY KEY AUTOINCREMENT,
LastName TEXT,
FirstName TEXT,
BirthDate DATE,
Photo TEXT,
Notes TEXT
);
CREATE TABLE Shippers(
ShipperID INTEGER PRIMARY KEY AUTOINCREMENT,
ShipperName TEXT,
Phone TEXT
);
CREATE TABLE Suppliers(
SupplierID INTEGER PRIMARY KEY AUTOINCREMENT,
SupplierName TEXT,
ContactName TEXT,
Address TEXT,
City TEXT,
PostalCode TEXT,
Country TEXT,
Phone TEXT
);
CREATE TABLE Products(
ProductID INTEGER PRIMARY KEY AUTOINCREMENT,
ProductName TEXT,
SupplierID INTEGER,
CategoryID INTEGER,
Unit TEXT,
Price REAL DEFAULT 0,
FOREIGN KEY (CategoryID) REFERENCES Categories (CategoryID),
FOREIGN KEY (SupplierID) REFERENCES Suppliers (SupplierID)
);
CREATE TABLE Orders(
OrderID INTEGER PRIMARY KEY AUTOINCREMENT,
CustomerID INTEGER,
EmployeeID INTEGER,
OrderDate DATETIME,
ShipperID INTEGER,
FOREIGN KEY (EmployeeID) REFERENCES Employees (EmployeeID),
FOREIGN KEY (CustomerID) REFERENCES Customers (CustomerID),
FOREIGN KEY (ShipperID) REFERENCES Shippers (ShipperID)
);
CREATE TABLE OrderDetails(
OrderDetailID INTEGER PRIMARY KEY AUTOINCREMENT,
OrderID INTEGER,
ProductID INTEGER,
Quantity INTEGER,
FOREIGN KEY (OrderID) REFERENCES Orders (OrderID),
FOREIGN KEY (ProductID) REFERENCES Products (ProductID)
);
|
book_publishing_company | List all titles published in year 1991. Also provide notes details of the title and the publisher's name. | publisher name refers to pub_name; publication date refers to pubdate; published in year 1991 refers to YEAR(pubdate) = 1991 | SELECT T1.title, T1.notes, T2.pub_name FROM titles AS T1 INNER JOIN publishers AS T2 ON T1.pub_id = T2.pub_id WHERE STRFTIME('%Y', T1.pubdate) = '1991' | CREATE TABLE authors
(
au_id TEXT
primary key,
au_lname TEXT not null,
au_fname TEXT not null,
phone TEXT not null,
address TEXT,
city TEXT,
state TEXT,
zip TEXT,
contract TEXT not null
);
CREATE TABLE jobs
(
job_id INTEGER
primary key,
job_desc TEXT not null,
min_lvl INTEGER not null,
max_lvl INTEGER not null
);
CREATE TABLE publishers
(
pub_id TEXT
primary key,
pub_name TEXT,
city TEXT,
state TEXT,
country TEXT
);
CREATE TABLE employee
(
emp_id TEXT
primary key,
fname TEXT not null,
minit TEXT,
lname TEXT not null,
job_id INTEGER not null,
job_lvl INTEGER,
pub_id TEXT not null,
hire_date DATETIME not null,
foreign key (job_id) references jobs(job_id)
on update cascade on delete cascade,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE pub_info
(
pub_id TEXT
primary key,
logo BLOB,
pr_info TEXT,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE stores
(
stor_id TEXT
primary key,
stor_name TEXT,
stor_address TEXT,
city TEXT,
state TEXT,
zip TEXT
);
CREATE TABLE discounts
(
discounttype TEXT not null,
stor_id TEXT,
lowqty INTEGER,
highqty INTEGER,
discount REAL not null,
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade
);
CREATE TABLE titles
(
title_id TEXT
primary key,
title TEXT not null,
type TEXT not null,
pub_id TEXT,
price REAL,
advance REAL,
royalty INTEGER,
ytd_sales INTEGER,
notes TEXT,
pubdate DATETIME not null,
foreign key (pub_id) references publishers(pub_id)
on update cascade on delete cascade
);
CREATE TABLE roysched
(
title_id TEXT not null,
lorange INTEGER,
hirange INTEGER,
royalty INTEGER,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE sales
(
stor_id TEXT not null,
ord_num TEXT not null,
ord_date DATETIME not null,
qty INTEGER not null,
payterms TEXT not null,
title_id TEXT not null,
primary key (stor_id, ord_num, title_id),
foreign key (stor_id) references stores(stor_id)
on update cascade on delete cascade,
foreign key (title_id) references titles(title_id)
on update cascade on delete cascade
);
CREATE TABLE titleauthor
(
au_id TEXT not null,
title_id TEXT not null,
au_ord INTEGER,
royaltyper INTEGER,
primary key (au_id, title_id),
foreign key (au_id) references authors(au_id)
on update cascade on delete cascade,
foreign key (title_id) references titles (title_id)
on update cascade on delete cascade
);
|
social_media | What is the average number of tweets posted by the users in a city in Argentina? | "Argentina" is the Country; average number of tweets in a city = Divide (Count(TweetID where Country = 'Argentina'), Count (City)) | SELECT SUM(CASE WHEN T2.City = 'Buenos Aires' THEN 1.0 ELSE 0 END) / COUNT(T1.TweetID) AS avg FROM twitter AS T1 INNER JOIN location AS T2 ON T2.LocationID = T1.LocationID WHERE T2.Country = 'Argentina' | CREATE TABLE location
(
LocationID INTEGER
constraint location_pk
primary key,
Country TEXT,
State TEXT,
StateCode TEXT,
City TEXT
);
CREATE TABLE user
(
UserID TEXT
constraint user_pk
primary key,
Gender TEXT
);
CREATE TABLE twitter
(
TweetID TEXT
primary key,
Weekday TEXT,
Hour INTEGER,
Day INTEGER,
Lang TEXT,
IsReshare TEXT,
Reach INTEGER,
RetweetCount INTEGER,
Likes INTEGER,
Klout INTEGER,
Sentiment REAL,
"text" TEXT,
LocationID INTEGER,
UserID TEXT,
foreign key (LocationID) references location(LocationID),
foreign key (UserID) references user(UserID)
);
|
computer_student | What year in the program do the students with more than 2 advisors are in? | students refers to student = 1; more than 2 advisors refers to count(p_id_dummy) > 2 | SELECT T2.yearsInProgram FROM advisedBy AS T1 INNER JOIN person AS T2 ON T1.p_id = T2.p_id WHERE T2.student = 1 GROUP BY T2.p_id HAVING COUNT(T2.p_id) > 2 | CREATE TABLE course
(
course_id INTEGER
constraint course_pk
primary key,
courseLevel TEXT
);
CREATE TABLE person
(
p_id INTEGER
constraint person_pk
primary key,
professor INTEGER,
student INTEGER,
hasPosition TEXT,
inPhase TEXT,
yearsInProgram TEXT
);
CREATE TABLE IF NOT EXISTS "advisedBy"
(
p_id INTEGER,
p_id_dummy INTEGER,
constraint advisedBy_pk
primary key (p_id, p_id_dummy),
constraint advisedBy_person_p_id_p_id_fk
foreign key (p_id, p_id_dummy) references person (p_id, p_id)
);
CREATE TABLE taughtBy
(
course_id INTEGER,
p_id INTEGER,
primary key (course_id, p_id),
foreign key (p_id) references person(p_id),
foreign key (course_id) references course(course_id)
);
|
law_episode | How many people from Canada are nominated for an award? | from Canada refers to birth_country = Canada; nominated refers to award is NOT NULL | SELECT COUNT(T1.person_id) FROM Person AS T1 INNER JOIN Award AS T2 ON T1.person_id = T2.person_id WHERE T1.birth_country = 'Canada' | CREATE TABLE Episode
(
episode_id TEXT
primary key,
series TEXT,
season INTEGER,
episode INTEGER,
number_in_series INTEGER,
title TEXT,
summary TEXT,
air_date DATE,
episode_image TEXT,
rating REAL,
votes INTEGER
);
CREATE TABLE Keyword
(
episode_id TEXT,
keyword TEXT,
primary key (episode_id, keyword),
foreign key (episode_id) references Episode(episode_id)
);
CREATE TABLE Person
(
person_id TEXT
primary key,
name TEXT,
birthdate DATE,
birth_name TEXT,
birth_place TEXT,
birth_region TEXT,
birth_country TEXT,
height_meters REAL,
nickname TEXT
);
CREATE TABLE Award
(
award_id INTEGER
primary key,
organization TEXT,
year INTEGER,
award_category TEXT,
award TEXT,
series TEXT,
episode_id TEXT,
person_id TEXT,
role TEXT,
result TEXT,
foreign key (episode_id) references Episode(episode_id),
foreign key (person_id) references Person(person_id)
);
CREATE TABLE Credit
(
episode_id TEXT,
person_id TEXT,
category TEXT,
role TEXT,
credited TEXT,
primary key (episode_id, person_id),
foreign key (episode_id) references Episode(episode_id),
foreign key (person_id) references Person(person_id)
);
CREATE TABLE Vote
(
episode_id TEXT,
stars INTEGER,
votes INTEGER,
percent REAL,
foreign key (episode_id) references Episode(episode_id)
);
|
soccer_2016 | List all the names of the winning team's players in the first match of season 1. | names refers to Player_Name; winning team's refers to Match_Winner; first match of season 1 refers to Season_Id = 1 and min(Match_Date) | SELECT T3.Player_Name FROM `Match` AS T1 INNER JOIN Player_Match AS T2 ON T1.Match_Winner = T2.Team_Id INNER JOIN Player AS T3 ON T2.Player_Id = T3.Player_Id WHERE T1.Season_Id = 1 ORDER BY T1.Match_Date LIMIT 1 | CREATE TABLE Batting_Style
(
Batting_Id INTEGER
primary key,
Batting_hand TEXT
);
CREATE TABLE Bowling_Style
(
Bowling_Id INTEGER
primary key,
Bowling_skill TEXT
);
CREATE TABLE City
(
City_Id INTEGER
primary key,
City_Name TEXT,
Country_id INTEGER
);
CREATE TABLE Country
(
Country_Id INTEGER
primary key,
Country_Name TEXT,
foreign key (Country_Id) references Country(Country_Id)
);
CREATE TABLE Extra_Type
(
Extra_Id INTEGER
primary key,
Extra_Name TEXT
);
CREATE TABLE Extra_Runs
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Extra_Type_Id INTEGER,
Extra_Runs INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Extra_Type_Id) references Extra_Type(Extra_Id)
);
CREATE TABLE Out_Type
(
Out_Id INTEGER
primary key,
Out_Name TEXT
);
CREATE TABLE Outcome
(
Outcome_Id INTEGER
primary key,
Outcome_Type TEXT
);
CREATE TABLE Player
(
Player_Id INTEGER
primary key,
Player_Name TEXT,
DOB DATE,
Batting_hand INTEGER,
Bowling_skill INTEGER,
Country_Name INTEGER,
foreign key (Batting_hand) references Batting_Style(Batting_Id),
foreign key (Bowling_skill) references Bowling_Style(Bowling_Id),
foreign key (Country_Name) references Country(Country_Id)
);
CREATE TABLE Rolee
(
Role_Id INTEGER
primary key,
Role_Desc TEXT
);
CREATE TABLE Season
(
Season_Id INTEGER
primary key,
Man_of_the_Series INTEGER,
Orange_Cap INTEGER,
Purple_Cap INTEGER,
Season_Year INTEGER
);
CREATE TABLE Team
(
Team_Id INTEGER
primary key,
Team_Name TEXT
);
CREATE TABLE Toss_Decision
(
Toss_Id INTEGER
primary key,
Toss_Name TEXT
);
CREATE TABLE Umpire
(
Umpire_Id INTEGER
primary key,
Umpire_Name TEXT,
Umpire_Country INTEGER,
foreign key (Umpire_Country) references Country(Country_Id)
);
CREATE TABLE Venue
(
Venue_Id INTEGER
primary key,
Venue_Name TEXT,
City_Id INTEGER,
foreign key (City_Id) references City(City_Id)
);
CREATE TABLE Win_By
(
Win_Id INTEGER
primary key,
Win_Type TEXT
);
CREATE TABLE Match
(
Match_Id INTEGER
primary key,
Team_1 INTEGER,
Team_2 INTEGER,
Match_Date DATE,
Season_Id INTEGER,
Venue_Id INTEGER,
Toss_Winner INTEGER,
Toss_Decide INTEGER,
Win_Type INTEGER,
Win_Margin INTEGER,
Outcome_type INTEGER,
Match_Winner INTEGER,
Man_of_the_Match INTEGER,
foreign key (Team_1) references Team(Team_Id),
foreign key (Team_2) references Team(Team_Id),
foreign key (Season_Id) references Season(Season_Id),
foreign key (Venue_Id) references Venue(Venue_Id),
foreign key (Toss_Winner) references Team(Team_Id),
foreign key (Toss_Decide) references Toss_Decision(Toss_Id),
foreign key (Win_Type) references Win_By(Win_Id),
foreign key (Outcome_type) references Out_Type(Out_Id),
foreign key (Match_Winner) references Team(Team_Id),
foreign key (Man_of_the_Match) references Player(Player_Id)
);
CREATE TABLE Ball_by_Ball
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Innings_No INTEGER,
Team_Batting INTEGER,
Team_Bowling INTEGER,
Striker_Batting_Position INTEGER,
Striker INTEGER,
Non_Striker INTEGER,
Bowler INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Batsman_Scored
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Runs_Scored INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Player_Match
(
Match_Id INTEGER,
Player_Id INTEGER,
Role_Id INTEGER,
Team_Id INTEGER,
primary key (Match_Id, Player_Id, Role_Id),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Id) references Player(Player_Id),
foreign key (Team_Id) references Team(Team_Id),
foreign key (Role_Id) references Rolee(Role_Id)
);
CREATE TABLE Wicket_Taken
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Player_Out INTEGER,
Kind_Out INTEGER,
Fielders INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Out) references Player(Player_Id),
foreign key (Kind_Out) references Out_Type(Out_Id),
foreign key (Fielders) references Player(Player_Id)
);
|
soccer_2016 | How many players were born before 10/16/1975, and have a bowling skill of less than 3? | born before 10/16/1975 refers to DOB < 1975-10-16; bowling skill of less than 3 refers to Bowling_skill < 3 | SELECT COUNT(*) FROM Player WHERE DOB < '1975-10-16' AND Bowling_skill < 3 | CREATE TABLE Batting_Style
(
Batting_Id INTEGER
primary key,
Batting_hand TEXT
);
CREATE TABLE Bowling_Style
(
Bowling_Id INTEGER
primary key,
Bowling_skill TEXT
);
CREATE TABLE City
(
City_Id INTEGER
primary key,
City_Name TEXT,
Country_id INTEGER
);
CREATE TABLE Country
(
Country_Id INTEGER
primary key,
Country_Name TEXT,
foreign key (Country_Id) references Country(Country_Id)
);
CREATE TABLE Extra_Type
(
Extra_Id INTEGER
primary key,
Extra_Name TEXT
);
CREATE TABLE Extra_Runs
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Extra_Type_Id INTEGER,
Extra_Runs INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Extra_Type_Id) references Extra_Type(Extra_Id)
);
CREATE TABLE Out_Type
(
Out_Id INTEGER
primary key,
Out_Name TEXT
);
CREATE TABLE Outcome
(
Outcome_Id INTEGER
primary key,
Outcome_Type TEXT
);
CREATE TABLE Player
(
Player_Id INTEGER
primary key,
Player_Name TEXT,
DOB DATE,
Batting_hand INTEGER,
Bowling_skill INTEGER,
Country_Name INTEGER,
foreign key (Batting_hand) references Batting_Style(Batting_Id),
foreign key (Bowling_skill) references Bowling_Style(Bowling_Id),
foreign key (Country_Name) references Country(Country_Id)
);
CREATE TABLE Rolee
(
Role_Id INTEGER
primary key,
Role_Desc TEXT
);
CREATE TABLE Season
(
Season_Id INTEGER
primary key,
Man_of_the_Series INTEGER,
Orange_Cap INTEGER,
Purple_Cap INTEGER,
Season_Year INTEGER
);
CREATE TABLE Team
(
Team_Id INTEGER
primary key,
Team_Name TEXT
);
CREATE TABLE Toss_Decision
(
Toss_Id INTEGER
primary key,
Toss_Name TEXT
);
CREATE TABLE Umpire
(
Umpire_Id INTEGER
primary key,
Umpire_Name TEXT,
Umpire_Country INTEGER,
foreign key (Umpire_Country) references Country(Country_Id)
);
CREATE TABLE Venue
(
Venue_Id INTEGER
primary key,
Venue_Name TEXT,
City_Id INTEGER,
foreign key (City_Id) references City(City_Id)
);
CREATE TABLE Win_By
(
Win_Id INTEGER
primary key,
Win_Type TEXT
);
CREATE TABLE Match
(
Match_Id INTEGER
primary key,
Team_1 INTEGER,
Team_2 INTEGER,
Match_Date DATE,
Season_Id INTEGER,
Venue_Id INTEGER,
Toss_Winner INTEGER,
Toss_Decide INTEGER,
Win_Type INTEGER,
Win_Margin INTEGER,
Outcome_type INTEGER,
Match_Winner INTEGER,
Man_of_the_Match INTEGER,
foreign key (Team_1) references Team(Team_Id),
foreign key (Team_2) references Team(Team_Id),
foreign key (Season_Id) references Season(Season_Id),
foreign key (Venue_Id) references Venue(Venue_Id),
foreign key (Toss_Winner) references Team(Team_Id),
foreign key (Toss_Decide) references Toss_Decision(Toss_Id),
foreign key (Win_Type) references Win_By(Win_Id),
foreign key (Outcome_type) references Out_Type(Out_Id),
foreign key (Match_Winner) references Team(Team_Id),
foreign key (Man_of_the_Match) references Player(Player_Id)
);
CREATE TABLE Ball_by_Ball
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Innings_No INTEGER,
Team_Batting INTEGER,
Team_Bowling INTEGER,
Striker_Batting_Position INTEGER,
Striker INTEGER,
Non_Striker INTEGER,
Bowler INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Batsman_Scored
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Runs_Scored INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id)
);
CREATE TABLE Player_Match
(
Match_Id INTEGER,
Player_Id INTEGER,
Role_Id INTEGER,
Team_Id INTEGER,
primary key (Match_Id, Player_Id, Role_Id),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Id) references Player(Player_Id),
foreign key (Team_Id) references Team(Team_Id),
foreign key (Role_Id) references Rolee(Role_Id)
);
CREATE TABLE Wicket_Taken
(
Match_Id INTEGER,
Over_Id INTEGER,
Ball_Id INTEGER,
Player_Out INTEGER,
Kind_Out INTEGER,
Fielders INTEGER,
Innings_No INTEGER,
primary key (Match_Id, Over_Id, Ball_Id, Innings_No),
foreign key (Match_Id) references Match(Match_Id),
foreign key (Player_Out) references Player(Player_Id),
foreign key (Kind_Out) references Out_Type(Out_Id),
foreign key (Fielders) references Player(Player_Id)
);
|
retail_world | How many suppliers does Northwind have in USA? | 'USA' is a country; supplier refers to CompanyName | SELECT COUNT(SupplierID) FROM Suppliers WHERE Country = 'USA' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE Categories
(
CategoryID INTEGER PRIMARY KEY AUTOINCREMENT,
CategoryName TEXT,
Description TEXT
);
CREATE TABLE Customers
(
CustomerID INTEGER PRIMARY KEY AUTOINCREMENT,
CustomerName TEXT,
ContactName TEXT,
Address TEXT,
City TEXT,
PostalCode TEXT,
Country TEXT
);
CREATE TABLE Employees
(
EmployeeID INTEGER PRIMARY KEY AUTOINCREMENT,
LastName TEXT,
FirstName TEXT,
BirthDate DATE,
Photo TEXT,
Notes TEXT
);
CREATE TABLE Shippers(
ShipperID INTEGER PRIMARY KEY AUTOINCREMENT,
ShipperName TEXT,
Phone TEXT
);
CREATE TABLE Suppliers(
SupplierID INTEGER PRIMARY KEY AUTOINCREMENT,
SupplierName TEXT,
ContactName TEXT,
Address TEXT,
City TEXT,
PostalCode TEXT,
Country TEXT,
Phone TEXT
);
CREATE TABLE Products(
ProductID INTEGER PRIMARY KEY AUTOINCREMENT,
ProductName TEXT,
SupplierID INTEGER,
CategoryID INTEGER,
Unit TEXT,
Price REAL DEFAULT 0,
FOREIGN KEY (CategoryID) REFERENCES Categories (CategoryID),
FOREIGN KEY (SupplierID) REFERENCES Suppliers (SupplierID)
);
CREATE TABLE Orders(
OrderID INTEGER PRIMARY KEY AUTOINCREMENT,
CustomerID INTEGER,
EmployeeID INTEGER,
OrderDate DATETIME,
ShipperID INTEGER,
FOREIGN KEY (EmployeeID) REFERENCES Employees (EmployeeID),
FOREIGN KEY (CustomerID) REFERENCES Customers (CustomerID),
FOREIGN KEY (ShipperID) REFERENCES Shippers (ShipperID)
);
CREATE TABLE OrderDetails(
OrderDetailID INTEGER PRIMARY KEY AUTOINCREMENT,
OrderID INTEGER,
ProductID INTEGER,
Quantity INTEGER,
FOREIGN KEY (OrderID) REFERENCES Orders (OrderID),
FOREIGN KEY (ProductID) REFERENCES Products (ProductID)
);
|
donor | Write down the need statement of Family History Project. | Family History Project refer to title, need statement refer to need_statement | SELECT need_statement FROM essays WHERE title = 'Family History Project' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "essays"
(
projectid TEXT,
teacher_acctid TEXT,
title TEXT,
short_description TEXT,
need_statement TEXT,
essay TEXT
);
CREATE TABLE IF NOT EXISTS "projects"
(
projectid TEXT not null
primary key,
teacher_acctid TEXT,
schoolid TEXT,
school_ncesid TEXT,
school_latitude REAL,
school_longitude REAL,
school_city TEXT,
school_state TEXT,
school_zip INTEGER,
school_metro TEXT,
school_district TEXT,
school_county TEXT,
school_charter TEXT,
school_magnet TEXT,
school_year_round TEXT,
school_nlns TEXT,
school_kipp TEXT,
school_charter_ready_promise TEXT,
teacher_prefix TEXT,
teacher_teach_for_america TEXT,
teacher_ny_teaching_fellow TEXT,
primary_focus_subject TEXT,
primary_focus_area TEXT,
secondary_focus_subject TEXT,
secondary_focus_area TEXT,
resource_type TEXT,
poverty_level TEXT,
grade_level TEXT,
fulfillment_labor_materials REAL,
total_price_excluding_optional_support REAL,
total_price_including_optional_support REAL,
students_reached INTEGER,
eligible_double_your_impact_match TEXT,
eligible_almost_home_match TEXT,
date_posted DATE
);
CREATE TABLE donations
(
donationid TEXT not null
primary key,
projectid TEXT,
donor_acctid TEXT,
donor_city TEXT,
donor_state TEXT,
donor_zip TEXT,
is_teacher_acct TEXT,
donation_timestamp DATETIME,
donation_to_project REAL,
donation_optional_support REAL,
donation_total REAL,
dollar_amount TEXT,
donation_included_optional_support TEXT,
payment_method TEXT,
payment_included_acct_credit TEXT,
payment_included_campaign_gift_card TEXT,
payment_included_web_purchased_gift_card TEXT,
payment_was_promo_matched TEXT,
via_giving_page TEXT,
for_honoree TEXT,
donation_message TEXT,
foreign key (projectid) references projects(projectid)
);
CREATE TABLE resources
(
resourceid TEXT not null
primary key,
projectid TEXT,
vendorid INTEGER,
vendor_name TEXT,
project_resource_type TEXT,
item_name TEXT,
item_number TEXT,
item_unit_price REAL,
item_quantity INTEGER,
foreign key (projectid) references projects(projectid)
);
|
movie_3 | Calculate the total rental rate for animation film titles. | animation film refers to category.name = 'Animation'; total rental rate = sum(rental_rate) | SELECT SUM(T1.rental_rate) FROM film AS T1 INNER JOIN film_category AS T2 ON T1.film_id = T2.film_id INNER JOIN category AS T3 ON T2.category_id = T3.category_id WHERE T3.`name` = 'Animation' | CREATE TABLE film_text
(
film_id INTEGER not null
primary key,
title TEXT not null,
description TEXT null
);
CREATE TABLE IF NOT EXISTS "actor"
(
actor_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "address"
(
address_id INTEGER
primary key autoincrement,
address TEXT not null,
address2 TEXT,
district TEXT not null,
city_id INTEGER not null
references city
on update cascade,
postal_code TEXT,
phone TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "category"
(
category_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "city"
(
city_id INTEGER
primary key autoincrement,
city TEXT not null,
country_id INTEGER not null
references country
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "country"
(
country_id INTEGER
primary key autoincrement,
country TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "customer"
(
customer_id INTEGER
primary key autoincrement,
store_id INTEGER not null
references store
on update cascade,
first_name TEXT not null,
last_name TEXT not null,
email TEXT,
address_id INTEGER not null
references address
on update cascade,
active INTEGER default 1 not null,
create_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film"
(
film_id INTEGER
primary key autoincrement,
title TEXT not null,
description TEXT,
release_year TEXT,
language_id INTEGER not null
references language
on update cascade,
original_language_id INTEGER
references language
on update cascade,
rental_duration INTEGER default 3 not null,
rental_rate REAL default 4.99 not null,
length INTEGER,
replacement_cost REAL default 19.99 not null,
rating TEXT default 'G',
special_features TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "film_actor"
(
actor_id INTEGER not null
references actor
on update cascade,
film_id INTEGER not null
references film
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (actor_id, film_id)
);
CREATE TABLE IF NOT EXISTS "film_category"
(
film_id INTEGER not null
references film
on update cascade,
category_id INTEGER not null
references category
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
primary key (film_id, category_id)
);
CREATE TABLE IF NOT EXISTS "inventory"
(
inventory_id INTEGER
primary key autoincrement,
film_id INTEGER not null
references film
on update cascade,
store_id INTEGER not null
references store
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "language"
(
language_id INTEGER
primary key autoincrement,
name TEXT not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "payment"
(
payment_id INTEGER
primary key autoincrement,
customer_id INTEGER not null
references customer
on update cascade,
staff_id INTEGER not null
references staff
on update cascade,
rental_id INTEGER
references rental
on update cascade on delete set null,
amount REAL not null,
payment_date DATETIME not null,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "rental"
(
rental_id INTEGER
primary key autoincrement,
rental_date DATETIME not null,
inventory_id INTEGER not null
references inventory
on update cascade,
customer_id INTEGER not null
references customer
on update cascade,
return_date DATETIME,
staff_id INTEGER not null
references staff
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null,
unique (rental_date, inventory_id, customer_id)
);
CREATE TABLE IF NOT EXISTS "staff"
(
staff_id INTEGER
primary key autoincrement,
first_name TEXT not null,
last_name TEXT not null,
address_id INTEGER not null
references address
on update cascade,
picture BLOB,
email TEXT,
store_id INTEGER not null
references store
on update cascade,
active INTEGER default 1 not null,
username TEXT not null,
password TEXT,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE IF NOT EXISTS "store"
(
store_id INTEGER
primary key autoincrement,
manager_staff_id INTEGER not null
unique
references staff
on update cascade,
address_id INTEGER not null
references address
on update cascade,
last_update DATETIME default CURRENT_TIMESTAMP not null
);
|
mondial_geo | In which province and country does Moldoveanu located? State its height. | Moldoveanu is a mountain | SELECT T2.Province, T2.Country, T1.Height FROM mountain AS T1 INNER JOIN geo_mountain AS T2 ON T1.Name = T2.Mountain WHERE T1.Name = 'Moldoveanu' | CREATE TABLE IF NOT EXISTS "borders"
(
Country1 TEXT default '' not null
constraint borders_ibfk_1
references country,
Country2 TEXT default '' not null
constraint borders_ibfk_2
references country,
Length REAL,
primary key (Country1, Country2)
);
CREATE TABLE IF NOT EXISTS "city"
(
Name TEXT default '' not null,
Country TEXT default '' not null
constraint city_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
Population INTEGER,
Longitude REAL,
Latitude REAL,
primary key (Name, Province),
constraint city_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "continent"
(
Name TEXT default '' not null
primary key,
Area REAL
);
CREATE TABLE IF NOT EXISTS "country"
(
Name TEXT not null
constraint ix_county_Name
unique,
Code TEXT default '' not null
primary key,
Capital TEXT,
Province TEXT,
Area REAL,
Population INTEGER
);
CREATE TABLE IF NOT EXISTS "desert"
(
Name TEXT default '' not null
primary key,
Area REAL,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "economy"
(
Country TEXT default '' not null
primary key
constraint economy_ibfk_1
references country
on update cascade on delete cascade,
GDP REAL,
Agriculture REAL,
Service REAL,
Industry REAL,
Inflation REAL
);
CREATE TABLE IF NOT EXISTS "encompasses"
(
Country TEXT not null
constraint encompasses_ibfk_1
references country
on update cascade on delete cascade,
Continent TEXT not null
constraint encompasses_ibfk_2
references continent
on update cascade on delete cascade,
Percentage REAL,
primary key (Country, Continent)
);
CREATE TABLE IF NOT EXISTS "ethnicGroup"
(
Country TEXT default '' not null
constraint ethnicGroup_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "geo_desert"
(
Desert TEXT default '' not null
constraint geo_desert_ibfk_3
references desert
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_desert_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Desert),
constraint geo_desert_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_estuary"
(
River TEXT default '' not null
constraint geo_estuary_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_estuary_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_estuary_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_island"
(
Island TEXT default '' not null
constraint geo_island_ibfk_3
references island
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_island_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Island),
constraint geo_island_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_lake"
(
Lake TEXT default '' not null
constraint geo_lake_ibfk_3
references lake
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_lake_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Lake),
constraint geo_lake_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_mountain"
(
Mountain TEXT default '' not null
constraint geo_mountain_ibfk_3
references mountain
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_mountain_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Mountain),
constraint geo_mountain_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_river"
(
River TEXT default '' not null
constraint geo_river_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_river_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_river_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_sea"
(
Sea TEXT default '' not null
constraint geo_sea_ibfk_3
references sea
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_sea_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Sea),
constraint geo_sea_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_source"
(
River TEXT default '' not null
constraint geo_source_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_source_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_source_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "island"
(
Name TEXT default '' not null
primary key,
Islands TEXT,
Area REAL,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "islandIn"
(
Island TEXT
constraint islandIn_ibfk_4
references island
on update cascade on delete cascade,
Sea TEXT
constraint islandIn_ibfk_3
references sea
on update cascade on delete cascade,
Lake TEXT
constraint islandIn_ibfk_1
references lake
on update cascade on delete cascade,
River TEXT
constraint islandIn_ibfk_2
references river
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "isMember"
(
Country TEXT default '' not null
constraint isMember_ibfk_1
references country
on update cascade on delete cascade,
Organization TEXT default '' not null
constraint isMember_ibfk_2
references organization
on update cascade on delete cascade,
Type TEXT default 'member',
primary key (Country, Organization)
);
CREATE TABLE IF NOT EXISTS "lake"
(
Name TEXT default '' not null
primary key,
Area REAL,
Depth REAL,
Altitude REAL,
Type TEXT,
River TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "language"
(
Country TEXT default '' not null
constraint language_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "located"
(
City TEXT,
Province TEXT,
Country TEXT
constraint located_ibfk_1
references country
on update cascade on delete cascade,
River TEXT
constraint located_ibfk_3
references river
on update cascade on delete cascade,
Lake TEXT
constraint located_ibfk_4
references lake
on update cascade on delete cascade,
Sea TEXT
constraint located_ibfk_5
references sea
on update cascade on delete cascade,
constraint located_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint located_ibfk_6
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "locatedOn"
(
City TEXT default '' not null,
Province TEXT default '' not null,
Country TEXT default '' not null
constraint locatedOn_ibfk_1
references country
on update cascade on delete cascade,
Island TEXT default '' not null
constraint locatedOn_ibfk_2
references island
on update cascade on delete cascade,
primary key (City, Province, Country, Island),
constraint locatedOn_ibfk_3
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint locatedOn_ibfk_4
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "mergesWith"
(
Sea1 TEXT default '' not null
constraint mergesWith_ibfk_1
references sea
on update cascade on delete cascade,
Sea2 TEXT default '' not null
constraint mergesWith_ibfk_2
references sea
on update cascade on delete cascade,
primary key (Sea1, Sea2)
);
CREATE TABLE IF NOT EXISTS "mountain"
(
Name TEXT default '' not null
primary key,
Mountains TEXT,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "mountainOnIsland"
(
Mountain TEXT default '' not null
constraint mountainOnIsland_ibfk_2
references mountain
on update cascade on delete cascade,
Island TEXT default '' not null
constraint mountainOnIsland_ibfk_1
references island
on update cascade on delete cascade,
primary key (Mountain, Island)
);
CREATE TABLE IF NOT EXISTS "organization"
(
Abbreviation TEXT not null
primary key,
Name TEXT not null
constraint ix_organization_OrgNameUnique
unique,
City TEXT,
Country TEXT
constraint organization_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT,
Established DATE,
constraint organization_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint organization_ibfk_3
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "politics"
(
Country TEXT default '' not null
primary key
constraint politics_ibfk_1
references country
on update cascade on delete cascade,
Independence DATE,
Dependent TEXT
constraint politics_ibfk_2
references country
on update cascade on delete cascade,
Government TEXT
);
CREATE TABLE IF NOT EXISTS "population"
(
Country TEXT default '' not null
primary key
constraint population_ibfk_1
references country
on update cascade on delete cascade,
Population_Growth REAL,
Infant_Mortality REAL
);
CREATE TABLE IF NOT EXISTS "province"
(
Name TEXT not null,
Country TEXT not null
constraint province_ibfk_1
references country
on update cascade on delete cascade,
Population INTEGER,
Area REAL,
Capital TEXT,
CapProv TEXT,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "religion"
(
Country TEXT default '' not null
constraint religion_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "river"
(
Name TEXT default '' not null
primary key,
River TEXT,
Lake TEXT
constraint river_ibfk_1
references lake
on update cascade on delete cascade,
Sea TEXT,
Length REAL,
SourceLongitude REAL,
SourceLatitude REAL,
Mountains TEXT,
SourceAltitude REAL,
EstuaryLongitude REAL,
EstuaryLatitude REAL
);
CREATE TABLE IF NOT EXISTS "sea"
(
Name TEXT default '' not null
primary key,
Depth REAL
);
CREATE TABLE IF NOT EXISTS "target"
(
Country TEXT not null
primary key
constraint target_Country_fkey
references country
on update cascade on delete cascade,
Target TEXT
);
|
talkingdata | Give the number of male users who use phone branded HTC. | male refers to gender = 'M'; | SELECT COUNT(T1.device_id) FROM gender_age AS T1 INNER JOIN phone_brand_device_model2 AS T2 ON T1.device_id = T2.device_id WHERE T1.gender = 'M' AND T2.phone_brand = 'HTC' | CREATE TABLE `app_all`
(
`app_id` INTEGER NOT NULL,
PRIMARY KEY (`app_id`)
);
CREATE TABLE `app_events` (
`event_id` INTEGER NOT NULL,
`app_id` INTEGER NOT NULL,
`is_installed` INTEGER NOT NULL,
`is_active` INTEGER NOT NULL,
PRIMARY KEY (`event_id`,`app_id`),
FOREIGN KEY (`event_id`) REFERENCES `events` (`event_id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `app_events_relevant` (
`event_id` INTEGER NOT NULL,
`app_id` INTEGER NOT NULL,
`is_installed` INTEGER DEFAULT NULL,
`is_active` INTEGER DEFAULT NULL,
PRIMARY KEY (`event_id`,`app_id`),
FOREIGN KEY (`event_id`) REFERENCES `events_relevant` (`event_id`) ON DELETE CASCADE ON UPDATE CASCADE,
FOREIGN KEY (`app_id`) REFERENCES `app_all` (`app_id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `app_labels` (
`app_id` INTEGER NOT NULL,
`label_id` INTEGER NOT NULL,
FOREIGN KEY (`label_id`) REFERENCES `label_categories` (`label_id`) ON DELETE CASCADE ON UPDATE CASCADE,
FOREIGN KEY (`app_id`) REFERENCES `app_all` (`app_id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `events` (
`event_id` INTEGER NOT NULL,
`device_id` INTEGER DEFAULT NULL,
`timestamp` DATETIME DEFAULT NULL,
`longitude` REAL DEFAULT NULL,
`latitude` REAL DEFAULT NULL,
PRIMARY KEY (`event_id`)
);
CREATE TABLE `events_relevant` (
`event_id` INTEGER NOT NULL,
`device_id` INTEGER DEFAULT NULL,
`timestamp` DATETIME NOT NULL,
`longitude` REAL NOT NULL,
`latitude` REAL NOT NULL,
PRIMARY KEY (`event_id`),
FOREIGN KEY (`device_id`) REFERENCES `gender_age` (`device_id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `gender_age` (
`device_id` INTEGER NOT NULL,
`gender` TEXT DEFAULT NULL,
`age` INTEGER DEFAULT NULL,
`group` TEXT DEFAULT NULL,
PRIMARY KEY (`device_id`),
FOREIGN KEY (`device_id`) REFERENCES `phone_brand_device_model2` (`device_id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `gender_age_test` (
`device_id` INTEGER NOT NULL,
PRIMARY KEY (`device_id`)
);
CREATE TABLE `gender_age_train` (
`device_id` INTEGER NOT NULL,
`gender` TEXT DEFAULT NULL,
`age` INTEGER DEFAULT NULL,
`group` TEXT DEFAULT NULL,
PRIMARY KEY (`device_id`)
);
CREATE TABLE `label_categories` (
`label_id` INTEGER NOT NULL,
`category` TEXT DEFAULT NULL,
PRIMARY KEY (`label_id`)
);
CREATE TABLE `phone_brand_device_model2` (
`device_id` INTEGER NOT NULL,
`phone_brand` TEXT NOT NULL,
`device_model` TEXT NOT NULL,
PRIMARY KEY (`device_id`,`phone_brand`,`device_model`)
);
CREATE TABLE `sample_submission` (
`device_id` INTEGER NOT NULL,
`F23-` REAL DEFAULT NULL,
`F24-26` REAL DEFAULT NULL,
`F27-28` REAL DEFAULT NULL,
`F29-32` REAL DEFAULT NULL,
`F33-42` REAL DEFAULT NULL,
`F43+` REAL DEFAULT NULL,
`M22-` REAL DEFAULT NULL,
`M23-26` REAL DEFAULT NULL,
`M27-28` REAL DEFAULT NULL,
`M29-31` REAL DEFAULT NULL,
`M32-38` REAL DEFAULT NULL,
`M39+` REAL DEFAULT NULL,
PRIMARY KEY (`device_id`)
);
|
language_corpus | What is the locale of the language of the page titled "Asclepi"? | page titled "Asclepi" refers to title = 'Asclepi' ; | SELECT T2.locale FROM pages AS T1 INNER JOIN langs AS T2 ON T1.lid = T2.lid WHERE T1.title = 'Asclepi' | CREATE TABLE langs(lid INTEGER PRIMARY KEY AUTOINCREMENT,
lang TEXT UNIQUE,
locale TEXT UNIQUE,
pages INTEGER DEFAULT 0, -- total pages in this language
words INTEGER DEFAULT 0);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE pages(pid INTEGER PRIMARY KEY AUTOINCREMENT,
lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
page INTEGER DEFAULT NULL, -- wikipedia page id
revision INTEGER DEFAULT NULL, -- wikipedia revision page id
title TEXT,
words INTEGER DEFAULT 0, -- number of different words in this page
UNIQUE(lid,page,title));
CREATE TRIGGER ins_page AFTER INSERT ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_page AFTER DELETE ON pages FOR EACH ROW
BEGIN
UPDATE langs SET pages=pages-1 WHERE lid=OLD.lid;
END;
CREATE TABLE words(wid INTEGER PRIMARY KEY AUTOINCREMENT,
word TEXT UNIQUE,
occurrences INTEGER DEFAULT 0);
CREATE TABLE langs_words(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER, -- repetitions of this word in this language
PRIMARY KEY(lid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_lang_word AFTER INSERT ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words+1 WHERE lid=NEW.lid;
END;
CREATE TRIGGER del_lang_word AFTER DELETE ON langs_words FOR EACH ROW
BEGIN
UPDATE langs SET words=words-1 WHERE lid=OLD.lid;
END;
CREATE TABLE pages_words(pid INTEGER REFERENCES pages(pid) ON UPDATE CASCADE ON DELETE CASCADE,
wid INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this word appears into this page
PRIMARY KEY(pid,wid))
WITHOUT ROWID;
CREATE TRIGGER ins_page_word AFTER INSERT ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words+1 WHERE pid=NEW.pid;
END;
CREATE TRIGGER del_page_word AFTER DELETE ON pages_words FOR EACH ROW
BEGIN
UPDATE pages SET words=words-1 WHERE pid=OLD.pid;
END;
CREATE TABLE biwords(lid INTEGER REFERENCES langs(lid) ON UPDATE CASCADE ON DELETE CASCADE,
w1st INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
w2nd INTEGER REFERENCES words(wid) ON UPDATE CASCADE ON DELETE CASCADE,
occurrences INTEGER DEFAULT 0, -- times this pair appears in this language/page
PRIMARY KEY(lid,w1st,w2nd))
WITHOUT ROWID;
|
computer_student | Is the teacher who teaches course no.9 a faculty member? | teacher refers to taughtBy.p_id; course no.9 refers to taughtBy.course_id = 9; faculty member refers to hasPosition ! = 0 | SELECT T2.hasPosition FROM taughtBy AS T1 INNER JOIN person AS T2 ON T1.p_id = T2.p_id WHERE T1.course_id = 9 | CREATE TABLE course
(
course_id INTEGER
constraint course_pk
primary key,
courseLevel TEXT
);
CREATE TABLE person
(
p_id INTEGER
constraint person_pk
primary key,
professor INTEGER,
student INTEGER,
hasPosition TEXT,
inPhase TEXT,
yearsInProgram TEXT
);
CREATE TABLE IF NOT EXISTS "advisedBy"
(
p_id INTEGER,
p_id_dummy INTEGER,
constraint advisedBy_pk
primary key (p_id, p_id_dummy),
constraint advisedBy_person_p_id_p_id_fk
foreign key (p_id, p_id_dummy) references person (p_id, p_id)
);
CREATE TABLE taughtBy
(
course_id INTEGER,
p_id INTEGER,
primary key (course_id, p_id),
foreign key (p_id) references person(p_id),
foreign key (course_id) references course(course_id)
);
|
mondial_geo | Which two Asian countries share a border that is 1,782 kilometers long? | SELECT T4.Country1, T4.Country2 FROM continent AS T1 INNER JOIN encompasses AS T2 ON T1.Name = T2.Continent INNER JOIN country AS T3 ON T3.Code = T2.Country INNER JOIN borders AS T4 ON T4.Country1 = T3.Code WHERE T1.Name = 'Asia' AND T4.Length = 1782 | CREATE TABLE IF NOT EXISTS "borders"
(
Country1 TEXT default '' not null
constraint borders_ibfk_1
references country,
Country2 TEXT default '' not null
constraint borders_ibfk_2
references country,
Length REAL,
primary key (Country1, Country2)
);
CREATE TABLE IF NOT EXISTS "city"
(
Name TEXT default '' not null,
Country TEXT default '' not null
constraint city_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
Population INTEGER,
Longitude REAL,
Latitude REAL,
primary key (Name, Province),
constraint city_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "continent"
(
Name TEXT default '' not null
primary key,
Area REAL
);
CREATE TABLE IF NOT EXISTS "country"
(
Name TEXT not null
constraint ix_county_Name
unique,
Code TEXT default '' not null
primary key,
Capital TEXT,
Province TEXT,
Area REAL,
Population INTEGER
);
CREATE TABLE IF NOT EXISTS "desert"
(
Name TEXT default '' not null
primary key,
Area REAL,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "economy"
(
Country TEXT default '' not null
primary key
constraint economy_ibfk_1
references country
on update cascade on delete cascade,
GDP REAL,
Agriculture REAL,
Service REAL,
Industry REAL,
Inflation REAL
);
CREATE TABLE IF NOT EXISTS "encompasses"
(
Country TEXT not null
constraint encompasses_ibfk_1
references country
on update cascade on delete cascade,
Continent TEXT not null
constraint encompasses_ibfk_2
references continent
on update cascade on delete cascade,
Percentage REAL,
primary key (Country, Continent)
);
CREATE TABLE IF NOT EXISTS "ethnicGroup"
(
Country TEXT default '' not null
constraint ethnicGroup_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "geo_desert"
(
Desert TEXT default '' not null
constraint geo_desert_ibfk_3
references desert
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_desert_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Desert),
constraint geo_desert_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_estuary"
(
River TEXT default '' not null
constraint geo_estuary_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_estuary_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_estuary_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_island"
(
Island TEXT default '' not null
constraint geo_island_ibfk_3
references island
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_island_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Island),
constraint geo_island_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_lake"
(
Lake TEXT default '' not null
constraint geo_lake_ibfk_3
references lake
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_lake_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Lake),
constraint geo_lake_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_mountain"
(
Mountain TEXT default '' not null
constraint geo_mountain_ibfk_3
references mountain
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_mountain_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Mountain),
constraint geo_mountain_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_river"
(
River TEXT default '' not null
constraint geo_river_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_river_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_river_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_sea"
(
Sea TEXT default '' not null
constraint geo_sea_ibfk_3
references sea
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_sea_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, Sea),
constraint geo_sea_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "geo_source"
(
River TEXT default '' not null
constraint geo_source_ibfk_3
references river
on update cascade on delete cascade,
Country TEXT default '' not null
constraint geo_source_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT default '' not null,
primary key (Province, Country, River),
constraint geo_source_ibfk_2
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "island"
(
Name TEXT default '' not null
primary key,
Islands TEXT,
Area REAL,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "islandIn"
(
Island TEXT
constraint islandIn_ibfk_4
references island
on update cascade on delete cascade,
Sea TEXT
constraint islandIn_ibfk_3
references sea
on update cascade on delete cascade,
Lake TEXT
constraint islandIn_ibfk_1
references lake
on update cascade on delete cascade,
River TEXT
constraint islandIn_ibfk_2
references river
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "isMember"
(
Country TEXT default '' not null
constraint isMember_ibfk_1
references country
on update cascade on delete cascade,
Organization TEXT default '' not null
constraint isMember_ibfk_2
references organization
on update cascade on delete cascade,
Type TEXT default 'member',
primary key (Country, Organization)
);
CREATE TABLE IF NOT EXISTS "lake"
(
Name TEXT default '' not null
primary key,
Area REAL,
Depth REAL,
Altitude REAL,
Type TEXT,
River TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "language"
(
Country TEXT default '' not null
constraint language_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "located"
(
City TEXT,
Province TEXT,
Country TEXT
constraint located_ibfk_1
references country
on update cascade on delete cascade,
River TEXT
constraint located_ibfk_3
references river
on update cascade on delete cascade,
Lake TEXT
constraint located_ibfk_4
references lake
on update cascade on delete cascade,
Sea TEXT
constraint located_ibfk_5
references sea
on update cascade on delete cascade,
constraint located_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint located_ibfk_6
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "locatedOn"
(
City TEXT default '' not null,
Province TEXT default '' not null,
Country TEXT default '' not null
constraint locatedOn_ibfk_1
references country
on update cascade on delete cascade,
Island TEXT default '' not null
constraint locatedOn_ibfk_2
references island
on update cascade on delete cascade,
primary key (City, Province, Country, Island),
constraint locatedOn_ibfk_3
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint locatedOn_ibfk_4
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "mergesWith"
(
Sea1 TEXT default '' not null
constraint mergesWith_ibfk_1
references sea
on update cascade on delete cascade,
Sea2 TEXT default '' not null
constraint mergesWith_ibfk_2
references sea
on update cascade on delete cascade,
primary key (Sea1, Sea2)
);
CREATE TABLE IF NOT EXISTS "mountain"
(
Name TEXT default '' not null
primary key,
Mountains TEXT,
Height REAL,
Type TEXT,
Longitude REAL,
Latitude REAL
);
CREATE TABLE IF NOT EXISTS "mountainOnIsland"
(
Mountain TEXT default '' not null
constraint mountainOnIsland_ibfk_2
references mountain
on update cascade on delete cascade,
Island TEXT default '' not null
constraint mountainOnIsland_ibfk_1
references island
on update cascade on delete cascade,
primary key (Mountain, Island)
);
CREATE TABLE IF NOT EXISTS "organization"
(
Abbreviation TEXT not null
primary key,
Name TEXT not null
constraint ix_organization_OrgNameUnique
unique,
City TEXT,
Country TEXT
constraint organization_ibfk_1
references country
on update cascade on delete cascade,
Province TEXT,
Established DATE,
constraint organization_ibfk_2
foreign key (City, Province) references city
on update cascade on delete cascade,
constraint organization_ibfk_3
foreign key (Province, Country) references province
on update cascade on delete cascade
);
CREATE TABLE IF NOT EXISTS "politics"
(
Country TEXT default '' not null
primary key
constraint politics_ibfk_1
references country
on update cascade on delete cascade,
Independence DATE,
Dependent TEXT
constraint politics_ibfk_2
references country
on update cascade on delete cascade,
Government TEXT
);
CREATE TABLE IF NOT EXISTS "population"
(
Country TEXT default '' not null
primary key
constraint population_ibfk_1
references country
on update cascade on delete cascade,
Population_Growth REAL,
Infant_Mortality REAL
);
CREATE TABLE IF NOT EXISTS "province"
(
Name TEXT not null,
Country TEXT not null
constraint province_ibfk_1
references country
on update cascade on delete cascade,
Population INTEGER,
Area REAL,
Capital TEXT,
CapProv TEXT,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "religion"
(
Country TEXT default '' not null
constraint religion_ibfk_1
references country
on update cascade on delete cascade,
Name TEXT default '' not null,
Percentage REAL,
primary key (Name, Country)
);
CREATE TABLE IF NOT EXISTS "river"
(
Name TEXT default '' not null
primary key,
River TEXT,
Lake TEXT
constraint river_ibfk_1
references lake
on update cascade on delete cascade,
Sea TEXT,
Length REAL,
SourceLongitude REAL,
SourceLatitude REAL,
Mountains TEXT,
SourceAltitude REAL,
EstuaryLongitude REAL,
EstuaryLatitude REAL
);
CREATE TABLE IF NOT EXISTS "sea"
(
Name TEXT default '' not null
primary key,
Depth REAL
);
CREATE TABLE IF NOT EXISTS "target"
(
Country TEXT not null
primary key
constraint target_Country_fkey
references country
on update cascade on delete cascade,
Target TEXT
);
|
|
legislator | List the full names, Twitter IDs, and YouTube IDs of legislators who have Richard as their first name. | full names refers to official_full_name; Richard as their first name refers to first_name = 'Richard' | SELECT T2.official_full_name, T1.twitter_id, T1.youtube_id FROM `social-media` AS T1 INNER JOIN current AS T2 ON T1.bioguide = T2.bioguide_id WHERE T2.first_name = 'Richard' | CREATE TABLE current
(
ballotpedia_id TEXT,
bioguide_id TEXT,
birthday_bio DATE,
cspan_id REAL,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id REAL,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id INTEGER,
votesmart_id REAL,
wikidata_id TEXT,
wikipedia_id TEXT,
primary key (bioguide_id, cspan_id)
);
CREATE TABLE IF NOT EXISTS "current-terms"
(
address TEXT,
bioguide TEXT,
caucus TEXT,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
primary key (bioguide, end),
foreign key (bioguide) references current(bioguide_id)
);
CREATE TABLE historical
(
ballotpedia_id TEXT,
bioguide_id TEXT
primary key,
bioguide_previous_id TEXT,
birthday_bio TEXT,
cspan_id TEXT,
fec_id TEXT,
first_name TEXT,
gender_bio TEXT,
google_entity_id_id TEXT,
govtrack_id INTEGER,
house_history_alternate_id TEXT,
house_history_id REAL,
icpsr_id REAL,
last_name TEXT,
lis_id TEXT,
maplight_id TEXT,
middle_name TEXT,
nickname_name TEXT,
official_full_name TEXT,
opensecrets_id TEXT,
religion_bio TEXT,
suffix_name TEXT,
thomas_id TEXT,
votesmart_id TEXT,
wikidata_id TEXT,
wikipedia_id TEXT
);
CREATE TABLE IF NOT EXISTS "historical-terms"
(
address TEXT,
bioguide TEXT
primary key,
chamber TEXT,
class REAL,
contact_form TEXT,
district REAL,
end TEXT,
fax TEXT,
last TEXT,
middle TEXT,
name TEXT,
office TEXT,
party TEXT,
party_affiliations TEXT,
phone TEXT,
relation TEXT,
rss_url TEXT,
start TEXT,
state TEXT,
state_rank TEXT,
title TEXT,
type TEXT,
url TEXT,
foreign key (bioguide) references historical(bioguide_id)
);
CREATE TABLE IF NOT EXISTS "social-media"
(
bioguide TEXT
primary key,
facebook TEXT,
facebook_id REAL,
govtrack REAL,
instagram TEXT,
instagram_id REAL,
thomas INTEGER,
twitter TEXT,
twitter_id REAL,
youtube TEXT,
youtube_id TEXT,
foreign key (bioguide) references current(bioguide_id)
);
|
works_cycles | How many of the workers who started working in 2009 are from the Production Department? | StartDate BETWEEN '2009-01-01' AND '2009-12-31'; | SELECT COUNT(T2.BusinessEntityID) FROM Department AS T1 INNER JOIN EmployeeDepartmentHistory AS T2 ON T1.DepartmentID = T2.DepartmentID WHERE T2.StartDate >= '2009-01-01' AND T2.StartDate < '2010-01-01' AND T1.Name = 'Production' | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
image_and_language | Calculate the ratio of the total number of images with an object class of "man" and "person". | DIVIDE(COUNT(IMG_ID where OBJ_CLASS = 'man'), COUNT(IMG_ID where OBJ_CLASS = 'person')); | SELECT CAST(COUNT(CASE WHEN T2.OBJ_CLASS = 'man' THEN 1 ELSE 0 END) AS REAL) / COUNT(CASE WHEN T2.OBJ_CLASS = 'person' THEN 1 ELSE 0 END) FROM IMG_OBJ AS T1 INNER JOIN OBJ_CLASSES AS T2 ON T1.OBJ_CLASS_ID = T2.OBJ_CLASS_ID | CREATE TABLE ATT_CLASSES
(
ATT_CLASS_ID INTEGER default 0 not null
primary key,
ATT_CLASS TEXT not null
);
CREATE TABLE OBJ_CLASSES
(
OBJ_CLASS_ID INTEGER default 0 not null
primary key,
OBJ_CLASS TEXT not null
);
CREATE TABLE IMG_OBJ
(
IMG_ID INTEGER default 0 not null,
OBJ_SAMPLE_ID INTEGER default 0 not null,
OBJ_CLASS_ID INTEGER null,
X INTEGER null,
Y INTEGER null,
W INTEGER null,
H INTEGER null,
primary key (IMG_ID, OBJ_SAMPLE_ID),
foreign key (OBJ_CLASS_ID) references OBJ_CLASSES (OBJ_CLASS_ID)
);
CREATE TABLE IMG_OBJ_ATT
(
IMG_ID INTEGER default 0 not null,
ATT_CLASS_ID INTEGER default 0 not null,
OBJ_SAMPLE_ID INTEGER default 0 not null,
primary key (IMG_ID, ATT_CLASS_ID, OBJ_SAMPLE_ID),
foreign key (ATT_CLASS_ID) references ATT_CLASSES (ATT_CLASS_ID),
foreign key (IMG_ID, OBJ_SAMPLE_ID) references IMG_OBJ (IMG_ID, OBJ_SAMPLE_ID)
);
CREATE TABLE PRED_CLASSES
(
PRED_CLASS_ID INTEGER default 0 not null
primary key,
PRED_CLASS TEXT not null
);
CREATE TABLE IMG_REL
(
IMG_ID INTEGER default 0 not null,
PRED_CLASS_ID INTEGER default 0 not null,
OBJ1_SAMPLE_ID INTEGER default 0 not null,
OBJ2_SAMPLE_ID INTEGER default 0 not null,
primary key (IMG_ID, PRED_CLASS_ID, OBJ1_SAMPLE_ID, OBJ2_SAMPLE_ID),
foreign key (PRED_CLASS_ID) references PRED_CLASSES (PRED_CLASS_ID),
foreign key (IMG_ID, OBJ1_SAMPLE_ID) references IMG_OBJ (IMG_ID, OBJ_SAMPLE_ID),
foreign key (IMG_ID, OBJ2_SAMPLE_ID) references IMG_OBJ (IMG_ID, OBJ_SAMPLE_ID)
);
|
university | List the name of universities located in Spain. | name of universities refers to university_name; located in Spain refers to country_name = 'Spain'; | SELECT T1.university_name FROM university AS T1 INNER JOIN country AS T2 ON T1.country_id = T2.id WHERE T2.country_name = 'Spain' | CREATE TABLE country
(
id INTEGER not null
primary key,
country_name TEXT default NULL
);
CREATE TABLE ranking_system
(
id INTEGER not null
primary key,
system_name TEXT default NULL
);
CREATE TABLE ranking_criteria
(
id INTEGER not null
primary key,
ranking_system_id INTEGER default NULL,
criteria_name TEXT default NULL,
foreign key (ranking_system_id) references ranking_system(id)
);
CREATE TABLE university
(
id INTEGER not null
primary key,
country_id INTEGER default NULL,
university_name TEXT default NULL,
foreign key (country_id) references country(id)
);
CREATE TABLE university_ranking_year
(
university_id INTEGER default NULL,
ranking_criteria_id INTEGER default NULL,
year INTEGER default NULL,
score INTEGER default NULL,
foreign key (ranking_criteria_id) references ranking_criteria(id),
foreign key (university_id) references university(id)
);
CREATE TABLE university_year
(
university_id INTEGER default NULL,
year INTEGER default NULL,
num_students INTEGER default NULL,
student_staff_ratio REAL default NULL,
pct_international_students INTEGER default NULL,
pct_female_students INTEGER default NULL,
foreign key (university_id) references university(id)
);
|
works_cycles | What is the credit card number for the sales order "45793"? | SELECT T2.CardNumber FROM SalesOrderHeader AS T1 INNER JOIN CreditCard AS T2 ON T1.CreditCardID = T2.CreditCardID WHERE T1.SalesOrderID = 45793 | CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE CountryRegion
(
CountryRegionCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Culture
(
CultureID TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE Currency
(
CurrencyCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE CountryRegionCurrency
(
CountryRegionCode TEXT not null,
CurrencyCode TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (CountryRegionCode, CurrencyCode),
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode),
foreign key (CurrencyCode) references Currency(CurrencyCode)
);
CREATE TABLE Person
(
BusinessEntityID INTEGER not null
primary key,
PersonType TEXT not null,
NameStyle INTEGER default 0 not null,
Title TEXT,
FirstName TEXT not null,
MiddleName TEXT,
LastName TEXT not null,
Suffix TEXT,
EmailPromotion INTEGER default 0 not null,
AdditionalContactInfo TEXT,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE BusinessEntityContact
(
BusinessEntityID INTEGER not null,
PersonID INTEGER not null,
ContactTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, PersonID, ContactTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (ContactTypeID) references ContactType(ContactTypeID),
foreign key (PersonID) references Person(BusinessEntityID)
);
CREATE TABLE EmailAddress
(
BusinessEntityID INTEGER not null,
EmailAddressID INTEGER,
EmailAddress TEXT,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (EmailAddressID, BusinessEntityID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Employee
(
BusinessEntityID INTEGER not null
primary key,
NationalIDNumber TEXT not null
unique,
LoginID TEXT not null
unique,
OrganizationNode TEXT,
OrganizationLevel INTEGER,
JobTitle TEXT not null,
BirthDate DATE not null,
MaritalStatus TEXT not null,
Gender TEXT not null,
HireDate DATE not null,
SalariedFlag INTEGER default 1 not null,
VacationHours INTEGER default 0 not null,
SickLeaveHours INTEGER default 0 not null,
CurrentFlag INTEGER default 1 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE Password
(
BusinessEntityID INTEGER not null
primary key,
PasswordHash TEXT not null,
PasswordSalt TEXT not null,
rowguid TEXT not null,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE PersonCreditCard
(
BusinessEntityID INTEGER not null,
CreditCardID INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, CreditCardID),
foreign key (CreditCardID) references CreditCard(CreditCardID),
foreign key (BusinessEntityID) references Person(BusinessEntityID)
);
CREATE TABLE ProductCategory
(
ProductCategoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductDescription
(
ProductDescriptionID INTEGER
primary key autoincrement,
Description TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModel
(
ProductModelID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CatalogDescription TEXT,
Instructions TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductModelProductDescriptionCulture
(
ProductModelID INTEGER not null,
ProductDescriptionID INTEGER not null,
CultureID TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductModelID, ProductDescriptionID, CultureID),
foreign key (ProductModelID) references ProductModel(ProductModelID),
foreign key (ProductDescriptionID) references ProductDescription(ProductDescriptionID),
foreign key (CultureID) references Culture(CultureID)
);
CREATE TABLE ProductPhoto
(
ProductPhotoID INTEGER
primary key autoincrement,
ThumbNailPhoto BLOB,
ThumbnailPhotoFileName TEXT,
LargePhoto BLOB,
LargePhotoFileName TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductSubcategory
(
ProductSubcategoryID INTEGER
primary key autoincrement,
ProductCategoryID INTEGER not null,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductCategoryID) references ProductCategory(ProductCategoryID)
);
CREATE TABLE SalesReason
(
SalesReasonID INTEGER
primary key autoincrement,
Name TEXT not null,
ReasonType TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SalesTerritory
(
TerritoryID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CountryRegionCode TEXT not null,
"Group" TEXT not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
CostYTD REAL default 0.0000 not null,
CostLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (CountryRegionCode) references CountryRegion(CountryRegionCode)
);
CREATE TABLE SalesPerson
(
BusinessEntityID INTEGER not null
primary key,
TerritoryID INTEGER,
SalesQuota REAL,
Bonus REAL default 0.0000 not null,
CommissionPct REAL default 0.0000 not null,
SalesYTD REAL default 0.0000 not null,
SalesLastYear REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references Employee(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE SalesPersonQuotaHistory
(
BusinessEntityID INTEGER not null,
QuotaDate DATETIME not null,
SalesQuota REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, QuotaDate),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesTerritoryHistory
(
BusinessEntityID INTEGER not null,
TerritoryID INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (BusinessEntityID, StartDate, TerritoryID),
foreign key (BusinessEntityID) references SalesPerson(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID)
);
CREATE TABLE ScrapReason
(
ScrapReasonID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE Shift
(
ShiftID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
StartTime TEXT not null,
EndTime TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StartTime, EndTime)
);
CREATE TABLE ShipMethod
(
ShipMethodID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ShipBase REAL default 0.0000 not null,
ShipRate REAL default 0.0000 not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE SpecialOffer
(
SpecialOfferID INTEGER
primary key autoincrement,
Description TEXT not null,
DiscountPct REAL default 0.0000 not null,
Type TEXT not null,
Category TEXT not null,
StartDate DATETIME not null,
EndDate DATETIME not null,
MinQty INTEGER default 0 not null,
MaxQty INTEGER,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE BusinessEntityAddress
(
BusinessEntityID INTEGER not null,
AddressID INTEGER not null,
AddressTypeID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, AddressID, AddressTypeID),
foreign key (AddressID) references Address(AddressID),
foreign key (AddressTypeID) references AddressType(AddressTypeID),
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE SalesTaxRate
(
SalesTaxRateID INTEGER
primary key autoincrement,
StateProvinceID INTEGER not null,
TaxType INTEGER not null,
TaxRate REAL default 0.0000 not null,
Name TEXT not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceID, TaxType),
foreign key (StateProvinceID) references StateProvince(StateProvinceID)
);
CREATE TABLE Store
(
BusinessEntityID INTEGER not null
primary key,
Name TEXT not null,
SalesPersonID INTEGER,
Demographics TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID),
foreign key (SalesPersonID) references SalesPerson(BusinessEntityID)
);
CREATE TABLE SalesOrderHeaderSalesReason
(
SalesOrderID INTEGER not null,
SalesReasonID INTEGER not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SalesOrderID, SalesReasonID),
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SalesReasonID) references SalesReason(SalesReasonID)
);
CREATE TABLE TransactionHistoryArchive
(
TransactionID INTEGER not null
primary key,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE UnitMeasure
(
UnitMeasureCode TEXT not null
primary key,
Name TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
CREATE TABLE ProductCostHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
StandardCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ProductDocument
(
ProductID INTEGER not null,
DocumentNode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, DocumentNode),
foreign key (ProductID) references Product(ProductID),
foreign key (DocumentNode) references Document(DocumentNode)
);
CREATE TABLE ProductInventory
(
ProductID INTEGER not null,
LocationID INTEGER not null,
Shelf TEXT not null,
Bin INTEGER not null,
Quantity INTEGER default 0 not null,
rowguid TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, LocationID),
foreign key (ProductID) references Product(ProductID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE ProductProductPhoto
(
ProductID INTEGER not null,
ProductPhotoID INTEGER not null,
"Primary" INTEGER default 0 not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, ProductPhotoID),
foreign key (ProductID) references Product(ProductID),
foreign key (ProductPhotoID) references ProductPhoto(ProductPhotoID)
);
CREATE TABLE ProductReview
(
ProductReviewID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReviewerName TEXT not null,
ReviewDate DATETIME default CURRENT_TIMESTAMP not null,
EmailAddress TEXT not null,
Rating INTEGER not null,
Comments TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE ShoppingCartItem
(
ShoppingCartItemID INTEGER
primary key autoincrement,
ShoppingCartID TEXT not null,
Quantity INTEGER default 1 not null,
ProductID INTEGER not null,
DateCreated DATETIME default CURRENT_TIMESTAMP not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SpecialOfferProduct
(
SpecialOfferID INTEGER not null,
ProductID INTEGER not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (SpecialOfferID, ProductID),
foreign key (SpecialOfferID) references SpecialOffer(SpecialOfferID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE SalesOrderDetail
(
SalesOrderID INTEGER not null,
SalesOrderDetailID INTEGER
primary key autoincrement,
CarrierTrackingNumber TEXT,
OrderQty INTEGER not null,
ProductID INTEGER not null,
SpecialOfferID INTEGER not null,
UnitPrice REAL not null,
UnitPriceDiscount REAL default 0.0000 not null,
LineTotal REAL not null,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (SalesOrderID) references SalesOrderHeader(SalesOrderID),
foreign key (SpecialOfferID, ProductID) references SpecialOfferProduct(SpecialOfferID, ProductID)
);
CREATE TABLE TransactionHistory
(
TransactionID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
ReferenceOrderID INTEGER not null,
ReferenceOrderLineID INTEGER default 0 not null,
TransactionDate DATETIME default CURRENT_TIMESTAMP not null,
TransactionType TEXT not null,
Quantity INTEGER not null,
ActualCost REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE Vendor
(
BusinessEntityID INTEGER not null
primary key,
AccountNumber TEXT not null
unique,
Name TEXT not null,
CreditRating INTEGER not null,
PreferredVendorStatus INTEGER default 1 not null,
ActiveFlag INTEGER default 1 not null,
PurchasingWebServiceURL TEXT,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (BusinessEntityID) references BusinessEntity(BusinessEntityID)
);
CREATE TABLE ProductVendor
(
ProductID INTEGER not null,
BusinessEntityID INTEGER not null,
AverageLeadTime INTEGER not null,
StandardPrice REAL not null,
LastReceiptCost REAL,
LastReceiptDate DATETIME,
MinOrderQty INTEGER not null,
MaxOrderQty INTEGER not null,
OnOrderQty INTEGER,
UnitMeasureCode TEXT not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, BusinessEntityID),
foreign key (ProductID) references Product(ProductID),
foreign key (BusinessEntityID) references Vendor(BusinessEntityID),
foreign key (UnitMeasureCode) references UnitMeasure(UnitMeasureCode)
);
CREATE TABLE PurchaseOrderHeader
(
PurchaseOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
Status INTEGER default 1 not null,
EmployeeID INTEGER not null,
VendorID INTEGER not null,
ShipMethodID INTEGER not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
ShipDate DATETIME,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (EmployeeID) references Employee(BusinessEntityID),
foreign key (VendorID) references Vendor(BusinessEntityID),
foreign key (ShipMethodID) references ShipMethod(ShipMethodID)
);
CREATE TABLE PurchaseOrderDetail
(
PurchaseOrderID INTEGER not null,
PurchaseOrderDetailID INTEGER
primary key autoincrement,
DueDate DATETIME not null,
OrderQty INTEGER not null,
ProductID INTEGER not null,
UnitPrice REAL not null,
LineTotal REAL not null,
ReceivedQty REAL not null,
RejectedQty REAL not null,
StockedQty REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (PurchaseOrderID) references PurchaseOrderHeader(PurchaseOrderID),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE WorkOrder
(
WorkOrderID INTEGER
primary key autoincrement,
ProductID INTEGER not null,
OrderQty INTEGER not null,
StockedQty INTEGER not null,
ScrappedQty INTEGER not null,
StartDate DATETIME not null,
EndDate DATETIME,
DueDate DATETIME not null,
ScrapReasonID INTEGER,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
foreign key (ProductID) references Product(ProductID),
foreign key (ScrapReasonID) references ScrapReason(ScrapReasonID)
);
CREATE TABLE WorkOrderRouting
(
WorkOrderID INTEGER not null,
ProductID INTEGER not null,
OperationSequence INTEGER not null,
LocationID INTEGER not null,
ScheduledStartDate DATETIME not null,
ScheduledEndDate DATETIME not null,
ActualStartDate DATETIME,
ActualEndDate DATETIME,
ActualResourceHrs REAL,
PlannedCost REAL not null,
ActualCost REAL,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (WorkOrderID, ProductID, OperationSequence),
foreign key (WorkOrderID) references WorkOrder(WorkOrderID),
foreign key (LocationID) references Location(LocationID)
);
CREATE TABLE Customer
(
CustomerID INTEGER
primary key,
PersonID INTEGER,
StoreID INTEGER,
TerritoryID INTEGER,
AccountNumber TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
foreign key (PersonID) references Person(BusinessEntityID),
foreign key (TerritoryID) references SalesTerritory(TerritoryID),
foreign key (StoreID) references Store(BusinessEntityID)
);
CREATE TABLE ProductListPriceHistory
(
ProductID INTEGER not null,
StartDate DATE not null,
EndDate DATE,
ListPrice REAL not null,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
primary key (ProductID, StartDate),
foreign key (ProductID) references Product(ProductID)
);
CREATE TABLE IF NOT EXISTS "Address"
(
AddressID INTEGER
primary key autoincrement,
AddressLine1 TEXT not null,
AddressLine2 TEXT,
City TEXT not null,
StateProvinceID INTEGER not null
references StateProvince,
PostalCode TEXT not null,
SpatialLocation TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (AddressLine1, AddressLine2, City, StateProvinceID, PostalCode)
);
CREATE TABLE IF NOT EXISTS "AddressType"
(
AddressTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "BillOfMaterials"
(
BillOfMaterialsID INTEGER
primary key autoincrement,
ProductAssemblyID INTEGER
references Product,
ComponentID INTEGER not null
references Product,
StartDate DATETIME default current_timestamp not null,
EndDate DATETIME,
UnitMeasureCode TEXT not null
references UnitMeasure,
BOMLevel INTEGER not null,
PerAssemblyQty REAL default 1.00 not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (ProductAssemblyID, ComponentID, StartDate)
);
CREATE TABLE IF NOT EXISTS "BusinessEntity"
(
BusinessEntityID INTEGER
primary key autoincrement,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "ContactType"
(
ContactTypeID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "CurrencyRate"
(
CurrencyRateID INTEGER
primary key autoincrement,
CurrencyRateDate DATETIME not null,
FromCurrencyCode TEXT not null
references Currency,
ToCurrencyCode TEXT not null
references Currency,
AverageRate REAL not null,
EndOfDayRate REAL not null,
ModifiedDate DATETIME default current_timestamp not null,
unique (CurrencyRateDate, FromCurrencyCode, ToCurrencyCode)
);
CREATE TABLE IF NOT EXISTS "Department"
(
DepartmentID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
GroupName TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "EmployeeDepartmentHistory"
(
BusinessEntityID INTEGER not null
references Employee,
DepartmentID INTEGER not null
references Department,
ShiftID INTEGER not null
references Shift,
StartDate DATE not null,
EndDate DATE,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, StartDate, DepartmentID, ShiftID)
);
CREATE TABLE IF NOT EXISTS "EmployeePayHistory"
(
BusinessEntityID INTEGER not null
references Employee,
RateChangeDate DATETIME not null,
Rate REAL not null,
PayFrequency INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null,
primary key (BusinessEntityID, RateChangeDate)
);
CREATE TABLE IF NOT EXISTS "JobCandidate"
(
JobCandidateID INTEGER
primary key autoincrement,
BusinessEntityID INTEGER
references Employee,
Resume TEXT,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Location"
(
LocationID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
CostRate REAL default 0.0000 not null,
Availability REAL default 0.00 not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "PhoneNumberType"
(
PhoneNumberTypeID INTEGER
primary key autoincrement,
Name TEXT not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Product"
(
ProductID INTEGER
primary key autoincrement,
Name TEXT not null
unique,
ProductNumber TEXT not null
unique,
MakeFlag INTEGER default 1 not null,
FinishedGoodsFlag INTEGER default 1 not null,
Color TEXT,
SafetyStockLevel INTEGER not null,
ReorderPoint INTEGER not null,
StandardCost REAL not null,
ListPrice REAL not null,
Size TEXT,
SizeUnitMeasureCode TEXT
references UnitMeasure,
WeightUnitMeasureCode TEXT
references UnitMeasure,
Weight REAL,
DaysToManufacture INTEGER not null,
ProductLine TEXT,
Class TEXT,
Style TEXT,
ProductSubcategoryID INTEGER
references ProductSubcategory,
ProductModelID INTEGER
references ProductModel,
SellStartDate DATETIME not null,
SellEndDate DATETIME,
DiscontinuedDate DATETIME,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "Document"
(
DocumentNode TEXT not null
primary key,
DocumentLevel INTEGER,
Title TEXT not null,
Owner INTEGER not null
references Employee,
FolderFlag INTEGER default 0 not null,
FileName TEXT not null,
FileExtension TEXT not null,
Revision TEXT not null,
ChangeNumber INTEGER default 0 not null,
Status INTEGER not null,
DocumentSummary TEXT,
Document BLOB,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default current_timestamp not null,
unique (DocumentLevel, DocumentNode)
);
CREATE TABLE IF NOT EXISTS "StateProvince"
(
StateProvinceID INTEGER
primary key autoincrement,
StateProvinceCode TEXT not null,
CountryRegionCode TEXT not null
references CountryRegion,
IsOnlyStateProvinceFlag INTEGER default 1 not null,
Name TEXT not null
unique,
TerritoryID INTEGER not null
references SalesTerritory,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null,
unique (StateProvinceCode, CountryRegionCode)
);
CREATE TABLE IF NOT EXISTS "CreditCard"
(
CreditCardID INTEGER
primary key autoincrement,
CardType TEXT not null,
CardNumber TEXT not null
unique,
ExpMonth INTEGER not null,
ExpYear INTEGER not null,
ModifiedDate DATETIME default current_timestamp not null
);
CREATE TABLE IF NOT EXISTS "SalesOrderHeader"
(
SalesOrderID INTEGER
primary key autoincrement,
RevisionNumber INTEGER default 0 not null,
OrderDate DATETIME default CURRENT_TIMESTAMP not null,
DueDate DATETIME not null,
ShipDate DATETIME,
Status INTEGER default 1 not null,
OnlineOrderFlag INTEGER default 1 not null,
SalesOrderNumber TEXT not null
unique,
PurchaseOrderNumber TEXT,
AccountNumber TEXT,
CustomerID INTEGER not null
references Customer,
SalesPersonID INTEGER
references SalesPerson,
TerritoryID INTEGER
references SalesTerritory,
BillToAddressID INTEGER not null
references Address,
ShipToAddressID INTEGER not null
references Address,
ShipMethodID INTEGER not null
references Address,
CreditCardID INTEGER
references CreditCard,
CreditCardApprovalCode TEXT,
CurrencyRateID INTEGER
references CurrencyRate,
SubTotal REAL default 0.0000 not null,
TaxAmt REAL default 0.0000 not null,
Freight REAL default 0.0000 not null,
TotalDue REAL not null,
Comment TEXT,
rowguid TEXT not null
unique,
ModifiedDate DATETIME default CURRENT_TIMESTAMP not null
);
|
|
beer_factory | Tell the number of reviews given by James House. | FALSE; | SELECT COUNT(T2.CustomerID) FROM customers AS T1 INNER JOIN rootbeerreview AS T2 ON T1.CustomerID = T2.CustomerID WHERE T1.First = 'James' AND T1.Last = 'House' | CREATE TABLE customers
(
CustomerID INTEGER
primary key,
First TEXT,
Last TEXT,
StreetAddress TEXT,
City TEXT,
State TEXT,
ZipCode INTEGER,
Email TEXT,
PhoneNumber TEXT,
FirstPurchaseDate DATE,
SubscribedToEmailList TEXT,
Gender TEXT
);
CREATE TABLE geolocation
(
LocationID INTEGER
primary key,
Latitude REAL,
Longitude REAL,
foreign key (LocationID) references location(LocationID)
);
CREATE TABLE location
(
LocationID INTEGER
primary key,
LocationName TEXT,
StreetAddress TEXT,
City TEXT,
State TEXT,
ZipCode INTEGER,
foreign key (LocationID) references geolocation(LocationID)
);
CREATE TABLE rootbeerbrand
(
BrandID INTEGER
primary key,
BrandName TEXT,
FirstBrewedYear INTEGER,
BreweryName TEXT,
City TEXT,
State TEXT,
Country TEXT,
Description TEXT,
CaneSugar TEXT,
CornSyrup TEXT,
Honey TEXT,
ArtificialSweetener TEXT,
Caffeinated TEXT,
Alcoholic TEXT,
AvailableInCans TEXT,
AvailableInBottles TEXT,
AvailableInKegs TEXT,
Website TEXT,
FacebookPage TEXT,
Twitter TEXT,
WholesaleCost REAL,
CurrentRetailPrice REAL
);
CREATE TABLE rootbeer
(
RootBeerID INTEGER
primary key,
BrandID INTEGER,
ContainerType TEXT,
LocationID INTEGER,
PurchaseDate DATE,
foreign key (LocationID) references geolocation(LocationID),
foreign key (LocationID) references location(LocationID),
foreign key (BrandID) references rootbeerbrand(BrandID)
);
CREATE TABLE rootbeerreview
(
CustomerID INTEGER,
BrandID INTEGER,
StarRating INTEGER,
ReviewDate DATE,
Review TEXT,
primary key (CustomerID, BrandID),
foreign key (CustomerID) references customers(CustomerID),
foreign key (BrandID) references rootbeerbrand(BrandID)
);
CREATE TABLE IF NOT EXISTS "transaction"
(
TransactionID INTEGER
primary key,
CreditCardNumber INTEGER,
CustomerID INTEGER,
TransactionDate DATE,
CreditCardType TEXT,
LocationID INTEGER,
RootBeerID INTEGER,
PurchasePrice REAL,
foreign key (CustomerID) references customers(CustomerID),
foreign key (LocationID) references location(LocationID),
foreign key (RootBeerID) references rootbeer(RootBeerID)
);
|
bike_share_1 | What is the ratio for subscriber to customer given that the starting and the ending stations is 2nd at South Park? | subscriber refers to subscription_type = 'Subscriber'; customer refers to subscription_type = 'customer';starting station refers to start_station_name; ending station refers to end_statio_name; start_station_name = '2nd at South Park' AND end_station_name = '2nd at South Park' | SELECT CAST(SUM(IIF(subscription_type = 'Subscriber', 1, 0)) AS REAL) / SUM(IIF(subscription_type = 'Customer', 1, 0)) FROM trip WHERE start_station_name = '2nd at South Park' AND end_station_name = '2nd at South Park' | CREATE TABLE IF NOT EXISTS "station"
(
id INTEGER not null
primary key,
name TEXT,
lat REAL,
long REAL,
dock_count INTEGER,
city TEXT,
installation_date TEXT
);
CREATE TABLE IF NOT EXISTS "status"
(
station_id INTEGER,
bikes_available INTEGER,
docks_available INTEGER,
time TEXT
);
CREATE TABLE IF NOT EXISTS "trip"
(
id INTEGER not null
primary key,
duration INTEGER,
start_date TEXT,
start_station_name TEXT,
start_station_id INTEGER,
end_date TEXT,
end_station_name TEXT,
end_station_id INTEGER,
bike_id INTEGER,
subscription_type TEXT,
zip_code INTEGER
);
CREATE TABLE IF NOT EXISTS "weather"
(
date TEXT,
max_temperature_f INTEGER,
mean_temperature_f INTEGER,
min_temperature_f INTEGER,
max_dew_point_f INTEGER,
mean_dew_point_f INTEGER,
min_dew_point_f INTEGER,
max_humidity INTEGER,
mean_humidity INTEGER,
min_humidity INTEGER,
max_sea_level_pressure_inches REAL,
mean_sea_level_pressure_inches REAL,
min_sea_level_pressure_inches REAL,
max_visibility_miles INTEGER,
mean_visibility_miles INTEGER,
min_visibility_miles INTEGER,
max_wind_Speed_mph INTEGER,
mean_wind_speed_mph INTEGER,
max_gust_speed_mph INTEGER,
precipitation_inches TEXT,
cloud_cover INTEGER,
events TEXT,
wind_dir_degrees INTEGER,
zip_code TEXT
);
|