db_id
stringlengths 4
28
| question
stringlengths 24
325
| evidence
stringlengths 0
673
| SQL
stringlengths 23
804
| schema
stringlengths 352
37.3k
|
---|---|---|---|---|
world | What is the capital city of the country with largest population? | capital city refers to Capital; largest population refers to MAX(Population); | SELECT T1.Capital FROM Country AS T1 INNER JOIN City AS T2 ON T1.Code = T2.CountryCode ORDER BY T1.Population 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`)
);
|
works_cycles | Compare the average pay rate of male and female employees. | male refers to Gender = 'M'; female refers to Gender = 'F'; difference in average rate = DIVIDE(AVG(Rate where Gender = 'F')), (AVG(Rate where Gender = 'M'))) as diff; | SELECT AVG(T2.Rate) FROM Employee AS T1 INNER JOIN EmployeePayHistory AS T2 ON T1.BusinessEntityID = T2.BusinessEntityID GROUP BY T1.Gender | 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
);
|
synthea | Describe the condition of patient Wilmer Koepp. | SELECT T2.DESCRIPTION FROM patients AS T1 INNER JOIN conditions AS T2 ON T1.patient = T2.PATIENT WHERE T1.first = 'Wilmer' AND T1.last = 'Koepp' | 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
);
|
|
retails | How many customers are in Brazil? | Brazil is the name of the nation which refers to n_name = 'BRAZIL' | SELECT COUNT(T1.c_custkey) FROM customer AS T1 INNER JOIN nation AS T2 ON T1.c_nationkey = T2.n_nationkey WHERE T2.n_name = 'BRAZIL' | CREATE TABLE `customer` (
`c_custkey` INTEGER NOT NULL,
`c_mktsegment` TEXT DEFAULT NULL,
`c_nationkey` INTEGER DEFAULT NULL,
`c_name` TEXT DEFAULT NULL,
`c_address` TEXT DEFAULT NULL,
`c_phone` TEXT DEFAULT NULL,
`c_acctbal` REAL DEFAULT NULL,
`c_comment` TEXT DEFAULT NULL,
PRIMARY KEY (`c_custkey`),
FOREIGN KEY (`c_nationkey`) REFERENCES `nation` (`n_nationkey`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE lineitem
(
l_shipdate DATE null,
l_orderkey INTEGER not null,
l_discount REAL not null,
l_extendedprice REAL not null,
l_suppkey INTEGER not null,
l_quantity INTEGER not null,
l_returnflag TEXT null,
l_partkey INTEGER not null,
l_linestatus TEXT null,
l_tax REAL not null,
l_commitdate DATE null,
l_receiptdate DATE null,
l_shipmode TEXT null,
l_linenumber INTEGER not null,
l_shipinstruct TEXT null,
l_comment TEXT null,
primary key (l_orderkey, l_linenumber),
foreign key (l_orderkey) references orders (o_orderkey)
on update cascade on delete cascade,
foreign key (l_partkey, l_suppkey) references partsupp (ps_partkey, ps_suppkey)
on update cascade on delete cascade
);
CREATE TABLE nation
(
n_nationkey INTEGER not null
primary key,
n_name TEXT null,
n_regionkey INTEGER null,
n_comment TEXT null,
foreign key (n_regionkey) references region (r_regionkey)
on update cascade on delete cascade
);
CREATE TABLE orders
(
o_orderdate DATE null,
o_orderkey INTEGER not null
primary key,
o_custkey INTEGER not null,
o_orderpriority TEXT null,
o_shippriority INTEGER null,
o_clerk TEXT null,
o_orderstatus TEXT null,
o_totalprice REAL null,
o_comment TEXT null,
foreign key (o_custkey) references customer (c_custkey)
on update cascade on delete cascade
);
CREATE TABLE part
(
p_partkey INTEGER not null
primary key,
p_type TEXT null,
p_size INTEGER null,
p_brand TEXT null,
p_name TEXT null,
p_container TEXT null,
p_mfgr TEXT null,
p_retailprice REAL null,
p_comment TEXT null
);
CREATE TABLE partsupp
(
ps_partkey INTEGER not null,
ps_suppkey INTEGER not null,
ps_supplycost REAL not null,
ps_availqty INTEGER null,
ps_comment TEXT null,
primary key (ps_partkey, ps_suppkey),
foreign key (ps_partkey) references part (p_partkey)
on update cascade on delete cascade,
foreign key (ps_suppkey) references supplier (s_suppkey)
on update cascade on delete cascade
);
CREATE TABLE region
(
r_regionkey INTEGER not null
primary key,
r_name TEXT null,
r_comment TEXT null
);
CREATE TABLE supplier
(
s_suppkey INTEGER not null
primary key,
s_nationkey INTEGER null,
s_comment TEXT null,
s_name TEXT null,
s_address TEXT null,
s_phone TEXT null,
s_acctbal REAL null,
foreign key (s_nationkey) references nation (n_nationkey)
);
|
mondial_geo | Which country has the least organization membership? | SELECT country FROM organization WHERE country IN ( SELECT Code FROM country ) GROUP BY country ORDER BY COUNT(NAME) 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
);
|
|
cs_semester | What is the name of the course with the highest satisfaction from students? | sat refers to student's satisfaction degree with the course where sat = 5 stands for the highest satisfaction; | SELECT DISTINCT T2.name FROM registration AS T1 INNER JOIN course AS T2 ON T1.course_id = T2.course_id WHERE T1.sat = 5 | 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
);
|
law_episode | What are the keywords of the "Shield" episode? | "Shield" episode refers to title = 'Shield' | SELECT T2.keyword FROM Episode AS T1 INNER JOIN Keyword AS T2 ON T1.episode_id = T2.episode_id WHERE T1.title = 'Shield' | 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)
);
|
hockey | What is the number of players whose last name is Green that played in the league but not coached? | played in the league but not coached means playerID is not NULL and coachID is NULL; | SELECT COUNT(playerID) FROM Master WHERE lastName = 'Green' AND coachID IS 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)
);
|
retails | In 1997, how many orders were shipped via mail? | 1997 refers to year(l_shipdate) = 1997; shipped via mail refers to l_shipmode = 'MAIL' | SELECT COUNT(l_orderkey) FROM lineitem WHERE STRFTIME('%Y', l_shipdate) = '1997' AND l_shipmode = 'MAIL' | CREATE TABLE `customer` (
`c_custkey` INTEGER NOT NULL,
`c_mktsegment` TEXT DEFAULT NULL,
`c_nationkey` INTEGER DEFAULT NULL,
`c_name` TEXT DEFAULT NULL,
`c_address` TEXT DEFAULT NULL,
`c_phone` TEXT DEFAULT NULL,
`c_acctbal` REAL DEFAULT NULL,
`c_comment` TEXT DEFAULT NULL,
PRIMARY KEY (`c_custkey`),
FOREIGN KEY (`c_nationkey`) REFERENCES `nation` (`n_nationkey`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE lineitem
(
l_shipdate DATE null,
l_orderkey INTEGER not null,
l_discount REAL not null,
l_extendedprice REAL not null,
l_suppkey INTEGER not null,
l_quantity INTEGER not null,
l_returnflag TEXT null,
l_partkey INTEGER not null,
l_linestatus TEXT null,
l_tax REAL not null,
l_commitdate DATE null,
l_receiptdate DATE null,
l_shipmode TEXT null,
l_linenumber INTEGER not null,
l_shipinstruct TEXT null,
l_comment TEXT null,
primary key (l_orderkey, l_linenumber),
foreign key (l_orderkey) references orders (o_orderkey)
on update cascade on delete cascade,
foreign key (l_partkey, l_suppkey) references partsupp (ps_partkey, ps_suppkey)
on update cascade on delete cascade
);
CREATE TABLE nation
(
n_nationkey INTEGER not null
primary key,
n_name TEXT null,
n_regionkey INTEGER null,
n_comment TEXT null,
foreign key (n_regionkey) references region (r_regionkey)
on update cascade on delete cascade
);
CREATE TABLE orders
(
o_orderdate DATE null,
o_orderkey INTEGER not null
primary key,
o_custkey INTEGER not null,
o_orderpriority TEXT null,
o_shippriority INTEGER null,
o_clerk TEXT null,
o_orderstatus TEXT null,
o_totalprice REAL null,
o_comment TEXT null,
foreign key (o_custkey) references customer (c_custkey)
on update cascade on delete cascade
);
CREATE TABLE part
(
p_partkey INTEGER not null
primary key,
p_type TEXT null,
p_size INTEGER null,
p_brand TEXT null,
p_name TEXT null,
p_container TEXT null,
p_mfgr TEXT null,
p_retailprice REAL null,
p_comment TEXT null
);
CREATE TABLE partsupp
(
ps_partkey INTEGER not null,
ps_suppkey INTEGER not null,
ps_supplycost REAL not null,
ps_availqty INTEGER null,
ps_comment TEXT null,
primary key (ps_partkey, ps_suppkey),
foreign key (ps_partkey) references part (p_partkey)
on update cascade on delete cascade,
foreign key (ps_suppkey) references supplier (s_suppkey)
on update cascade on delete cascade
);
CREATE TABLE region
(
r_regionkey INTEGER not null
primary key,
r_name TEXT null,
r_comment TEXT null
);
CREATE TABLE supplier
(
s_suppkey INTEGER not null
primary key,
s_nationkey INTEGER null,
s_comment TEXT null,
s_name TEXT null,
s_address TEXT null,
s_phone TEXT null,
s_acctbal REAL null,
foreign key (s_nationkey) references nation (n_nationkey)
);
|
soccer_2016 | How many players played as a captain in season year 2008? | played as a captain refers to Role_Desc = 'Captain'; in season year 2008 refers Match_Date like '2008%' | SELECT COUNT(T1.Player_Id) FROM Player_Match AS T1 INNER JOIN Match AS T2 ON T1.Match_Id = T2.Match_Id INNER JOIN Rolee AS T3 ON T1.Role_Id = T3.Role_Id WHERE T3.Role_Desc = 'Captain' AND T2.Match_Date LIKE '2008%' | 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)
);
|
retails | How many customers are in the automobile market segment? | automobile market segment refers to c_mktsegment = 'AUTOMOBILE'; | SELECT COUNT(c_custkey) FROM customer WHERE c_mktsegment = 'AUTOMOBILE' | CREATE TABLE `customer` (
`c_custkey` INTEGER NOT NULL,
`c_mktsegment` TEXT DEFAULT NULL,
`c_nationkey` INTEGER DEFAULT NULL,
`c_name` TEXT DEFAULT NULL,
`c_address` TEXT DEFAULT NULL,
`c_phone` TEXT DEFAULT NULL,
`c_acctbal` REAL DEFAULT NULL,
`c_comment` TEXT DEFAULT NULL,
PRIMARY KEY (`c_custkey`),
FOREIGN KEY (`c_nationkey`) REFERENCES `nation` (`n_nationkey`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE lineitem
(
l_shipdate DATE null,
l_orderkey INTEGER not null,
l_discount REAL not null,
l_extendedprice REAL not null,
l_suppkey INTEGER not null,
l_quantity INTEGER not null,
l_returnflag TEXT null,
l_partkey INTEGER not null,
l_linestatus TEXT null,
l_tax REAL not null,
l_commitdate DATE null,
l_receiptdate DATE null,
l_shipmode TEXT null,
l_linenumber INTEGER not null,
l_shipinstruct TEXT null,
l_comment TEXT null,
primary key (l_orderkey, l_linenumber),
foreign key (l_orderkey) references orders (o_orderkey)
on update cascade on delete cascade,
foreign key (l_partkey, l_suppkey) references partsupp (ps_partkey, ps_suppkey)
on update cascade on delete cascade
);
CREATE TABLE nation
(
n_nationkey INTEGER not null
primary key,
n_name TEXT null,
n_regionkey INTEGER null,
n_comment TEXT null,
foreign key (n_regionkey) references region (r_regionkey)
on update cascade on delete cascade
);
CREATE TABLE orders
(
o_orderdate DATE null,
o_orderkey INTEGER not null
primary key,
o_custkey INTEGER not null,
o_orderpriority TEXT null,
o_shippriority INTEGER null,
o_clerk TEXT null,
o_orderstatus TEXT null,
o_totalprice REAL null,
o_comment TEXT null,
foreign key (o_custkey) references customer (c_custkey)
on update cascade on delete cascade
);
CREATE TABLE part
(
p_partkey INTEGER not null
primary key,
p_type TEXT null,
p_size INTEGER null,
p_brand TEXT null,
p_name TEXT null,
p_container TEXT null,
p_mfgr TEXT null,
p_retailprice REAL null,
p_comment TEXT null
);
CREATE TABLE partsupp
(
ps_partkey INTEGER not null,
ps_suppkey INTEGER not null,
ps_supplycost REAL not null,
ps_availqty INTEGER null,
ps_comment TEXT null,
primary key (ps_partkey, ps_suppkey),
foreign key (ps_partkey) references part (p_partkey)
on update cascade on delete cascade,
foreign key (ps_suppkey) references supplier (s_suppkey)
on update cascade on delete cascade
);
CREATE TABLE region
(
r_regionkey INTEGER not null
primary key,
r_name TEXT null,
r_comment TEXT null
);
CREATE TABLE supplier
(
s_suppkey INTEGER not null
primary key,
s_nationkey INTEGER null,
s_comment TEXT null,
s_name TEXT null,
s_address TEXT null,
s_phone TEXT null,
s_acctbal REAL null,
foreign key (s_nationkey) references nation (n_nationkey)
);
|
legislator | List the full names of 10 legislators who only have a Facebook account. | full names refers to official_full_name; only have a Facebook account refers to youtube is NULL or youtube = '', instagram is NULL or instagram = '', twitter is NULL or twitter = '', facebook is not NULL and facebook = '' | SELECT T2.official_full_name FROM `social-media` AS T1 INNER JOIN current AS T2 ON T1.bioguide = T2.bioguide_id WHERE (T1.youtube IS NULL OR T1.youtube = '') AND (T1.instagram IS NULL OR T1.instagram = '') AND (T1.twitter IS NULL OR T1.twitter = '') AND T1.facebook IS NOT NULL AND T1.facebook != '' | 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 products are there if we add all those located in the Subassembly category? | located in the Subassembly category refers to Name = 'Subassembly' | SELECT COUNT(T1.LocationID) FROM Location AS T1 INNER JOIN ProductInventory AS T2 USING (LocationID) WHERE T1.Name = 'Subassembly' | 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
);
|
movielens | How many users have rated 1 each for the UK's second newest movies with a running time of 2? | second newest movies refers to year = 2 since year in this database is a relative value, less is the newer | SELECT COUNT(T2.userid) FROM movies AS T1 INNER JOIN u2base AS T2 ON T1.movieid = T2.movieid WHERE T1.country = 'UK' AND T1.runningtime = 2 AND T2.rating = 1 AND T1.year = 2 | 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)
);
|
university | List the university ID of the university that scored 100 in 2011. | in 2011 refers to year = 2011; score = 100 | SELECT university_id FROM university_ranking_year WHERE score = 100 AND year = 2011 | 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)
);
|
video_games | List the genre id of the game Pro Evolution Soccer 2012. | Pro Evolution Soccer 2012 refers to game_name = 'Pro Evolution Soccer 2012' | SELECT T.genre_id FROM game AS T WHERE T.game_name = 'Pro Evolution Soccer 2012' | 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)
);
|
university | What are the names of the universities that got 98 in teaching in 2011? | in 2011 refers to year 2011; that got 98 refers to score = 98; in teaching refers to criteria_name = 'Teaching'; name of university refers to university_name | SELECT T3.university_name FROM ranking_criteria AS T1 INNER JOIN university_ranking_year AS T2 ON T1.id = T2.ranking_criteria_id INNER JOIN university AS T3 ON T3.id = T2.university_id WHERE T1.criteria_name = 'Teaching' AND T2.year = 2011 AND T2.score = 98 | 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)
);
|
world | How many cities are there in the country with the surface area of 652090? | SELECT T2.Name, COUNT(T1.Name) FROM City AS T1 INNER JOIN Country AS T2 ON T1.CountryCode = T2.Code WHERE T2.SurfaceArea = 652090 GROUP BY T2.Name | 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`)
);
|
|
regional_sales | List all orders where its products were shipped from Daly City. | shipped from Daly City refers to Store Locations where City Name = 'Daly City'; orders refer to OrderNumber; | SELECT T FROM ( SELECT DISTINCT CASE WHEN T2.`City Name` = 'Daly City' THEN T1.OrderNumber END AS T FROM `Sales Orders` T1 INNER JOIN `Store Locations` T2 ON T2.StoreID = T1._StoreID ) WHERE T IS NOT NULL | CREATE TABLE Customers
(
CustomerID INTEGER
constraint Customers_pk
primary key,
"Customer Names" TEXT
);
CREATE TABLE Products
(
ProductID INTEGER
constraint Products_pk
primary key,
"Product Name" TEXT
);
CREATE TABLE Regions
(
StateCode TEXT
constraint Regions_pk
primary key,
State TEXT,
Region TEXT
);
CREATE TABLE IF NOT EXISTS "Sales Team"
(
SalesTeamID INTEGER
constraint "Sales Team_pk"
primary key,
"Sales Team" TEXT,
Region TEXT
);
CREATE TABLE IF NOT EXISTS "Store Locations"
(
StoreID INTEGER
constraint "Store Locations_pk"
primary key,
"City Name" TEXT,
County TEXT,
StateCode TEXT
constraint "Store Locations_Regions_StateCode_fk"
references Regions(StateCode),
State TEXT,
Type TEXT,
Latitude REAL,
Longitude REAL,
AreaCode INTEGER,
Population INTEGER,
"Household Income" INTEGER,
"Median Income" INTEGER,
"Land Area" INTEGER,
"Water Area" INTEGER,
"Time Zone" TEXT
);
CREATE TABLE IF NOT EXISTS "Sales Orders"
(
OrderNumber TEXT
constraint "Sales Orders_pk"
primary key,
"Sales Channel" TEXT,
WarehouseCode TEXT,
ProcuredDate TEXT,
OrderDate TEXT,
ShipDate TEXT,
DeliveryDate TEXT,
CurrencyCode TEXT,
_SalesTeamID INTEGER
constraint "Sales Orders_Sales Team_SalesTeamID_fk"
references "Sales Team"(SalesTeamID),
_CustomerID INTEGER
constraint "Sales Orders_Customers_CustomerID_fk"
references Customers(CustomerID),
_StoreID INTEGER
constraint "Sales Orders_Store Locations_StoreID_fk"
references "Store Locations"(StoreID),
_ProductID INTEGER
constraint "Sales Orders_Products_ProductID_fk"
references Products(ProductID),
"Order Quantity" INTEGER,
"Discount Applied" REAL,
"Unit Price" TEXT,
"Unit Cost" TEXT
);
|
law_episode | Who is the tallest camera operator? | who refers to name; the tallest refers to max(height_meters); camera operator refers to role = 'camera operator' | SELECT T2.name FROM Credit AS T1 INNER JOIN Person AS T2 ON T2.person_id = T1.person_id WHERE T1.role = 'camera operator' ORDER BY T2.height_meters DESC LIMIT 1 | 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)
);
|
video_games | What are the genres of games published by the publisher with an ID of 464? | genres of games refers to genre_name; publisher with an ID of 464 refers to publisher_id = 464; | SELECT DISTINCT T2.genre_name FROM game AS T1 INNER JOIN genre AS T2 ON T1.genre_id = T2.id INNER JOIN game_publisher AS T3 ON T1.id = T3.game_id WHERE T3.publisher_id = 464 | 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)
);
|
authors | What are the conference name and journal name of paper written by Shueh-Lin Yau? List down the name of co-authors and provide the title of that paper. | Shueh-Lin Yau is the name of author; | SELECT T1.ConferenceId, T1.JournalId, T2.Name, T1.Title FROM Paper AS T1 INNER JOIN PaperAuthor AS T2 ON T1.Id = T2.PaperId INNER JOIN Conference AS T3 ON T1.ConferenceId = T3.Id INNER JOIN Journal AS T4 ON T1.JournalId = T4.Id WHERE T2.Name = 'Shueh-Lin Yau' | 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)
);
|
disney | Name the first movie released by Disney. | The first movie released refers to movie_title where substr(release_date, length(release_date) - 1, length(release_date)) asc limit 1; | SELECT movie_title FROM characters ORDER BY SUBSTR(release_date, LENGTH(release_date) - 1, LENGTH(release_date)) ASC LIMIT 1 | 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)
);
|
professional_basketball | Who are the coaches for team with winning rate of 80% and above? | winning rate of 80% and above refers to Divide (won, Sum(won, lost)) > 0.8; coaches refers to coachID | SELECT coachID FROM coaches GROUP BY tmID, coachID, won, lost HAVING CAST(won AS REAL) * 100 / (won + lost) > 80 | 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
);
|
coinmarketcap | List all the inactive coins and state the last date of its transaction? | the last date refers to max(date); inactive coins refers to status = 'inactive' | SELECT T1.NAME, MAX(T2.DATE) FROM coins AS T1 INNER JOIN historical AS T2 ON T1.ID = T2.coin_id WHERE T1.status = 'inactive' ORDER BY T2.DATE DESC LIMIT 1 | CREATE TABLE coins
(
id INTEGER not null
primary key,
name TEXT,
slug TEXT,
symbol TEXT,
status TEXT,
category TEXT,
description TEXT,
subreddit TEXT,
notice TEXT,
tags TEXT,
tag_names TEXT,
website TEXT,
platform_id INTEGER,
date_added TEXT,
date_launched TEXT
);
CREATE TABLE IF NOT EXISTS "historical"
(
date DATE,
coin_id INTEGER,
cmc_rank INTEGER,
market_cap REAL,
price REAL,
open REAL,
high REAL,
low REAL,
close REAL,
time_high TEXT,
time_low TEXT,
volume_24h REAL,
percent_change_1h REAL,
percent_change_24h REAL,
percent_change_7d REAL,
circulating_supply REAL,
total_supply REAL,
max_supply REAL,
num_market_pairs INTEGER
);
|
cars | How many American cars have an acceleration time of less than 12 seconds? | American car refers to country = 'USA'; an acceleration time of less than 12 seconds refers to acceleration < 12 | SELECT COUNT(*) FROM data AS T1 INNER JOIN production AS T2 ON T1.ID = T2.ID INNER JOIN country AS T3 ON T3.origin = T2.country WHERE T3.country = 'USA' AND T1.acceleration < 12 | CREATE TABLE country
(
origin INTEGER
primary key,
country TEXT
);
CREATE TABLE price
(
ID INTEGER
primary key,
price REAL
);
CREATE TABLE data
(
ID INTEGER
primary key,
mpg REAL,
cylinders INTEGER,
displacement REAL,
horsepower INTEGER,
weight INTEGER,
acceleration REAL,
model INTEGER,
car_name TEXT,
foreign key (ID) references price(ID)
);
CREATE TABLE production
(
ID INTEGER,
model_year INTEGER,
country INTEGER,
primary key (ID, model_year),
foreign key (country) references country(origin),
foreign key (ID) references data(ID),
foreign key (ID) references price(ID)
);
|
professional_basketball | Which coach of the Chicago Bulls during the year 1981 won the NBA Coach of the Year award in the 1970s? | "Chicago Bull" is the name of team; during the year 1981 refers to year = 1981; 'NBA Coach of the Year' is the award; in the 1970s refers to year between 1970 to 1979 | SELECT DISTINCT T2.coachID FROM coaches AS T1 INNER JOIN awards_coaches AS T2 ON T1.coachID = T2.coachID INNER JOIN teams AS T3 ON T3.tmID = T1.tmID WHERE T2.award = 'NBA Coach of the Year' AND T2.year BETWEEN 1970 AND 1979 AND T1.year = 1981 AND T3.name = 'Chicago Bulls' | 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
);
|
food_inspection_2 | How much salary does Jessica Anthony receive? | SELECT salary FROM employee WHERE first_name = 'Jessica' AND last_name = 'Anthony' | CREATE TABLE employee
(
employee_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
phone TEXT,
title TEXT,
salary INTEGER,
supervisor INTEGER,
foreign key (supervisor) references employee(employee_id)
);
CREATE TABLE establishment
(
license_no INTEGER
primary key,
dba_name TEXT,
aka_name TEXT,
facility_type TEXT,
risk_level INTEGER,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
latitude REAL,
longitude REAL,
ward INTEGER
);
CREATE TABLE inspection
(
inspection_id INTEGER
primary key,
inspection_date DATE,
inspection_type TEXT,
results TEXT,
employee_id INTEGER,
license_no INTEGER,
followup_to INTEGER,
foreign key (employee_id) references employee(employee_id),
foreign key (license_no) references establishment(license_no),
foreign key (followup_to) references inspection(inspection_id)
);
CREATE TABLE inspection_point
(
point_id INTEGER
primary key,
Description TEXT,
category TEXT,
code TEXT,
fine INTEGER,
point_level TEXT
);
CREATE TABLE violation
(
inspection_id INTEGER,
point_id INTEGER,
fine INTEGER,
inspector_comment TEXT,
primary key (inspection_id, point_id),
foreign key (inspection_id) references inspection(inspection_id),
foreign key (point_id) references inspection_point(point_id)
);
|
|
authors | What is the full name of the conference in which the paper titled "Extended Fuzzy Regression Models" was published? | 'Extended Fuzzy Regression Models' is the title of paper; full name of the conference refers to FullName | SELECT T2.FullName FROM Paper AS T1 INNER JOIN Conference AS T2 ON T1.ConferenceId = T2.Id WHERE T1.Title = 'Extended Fuzzy Regression Models' | 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)
);
|
chicago_crime | How many crimes were Misc Non-Index Offense? | Misc Non-Index Offense refers to title = 'Misc Non-Index Offense' | SELECT SUM(CASE WHEN T1.title = 'Misc Non-Index Offense' THEN 1 ELSE 0 END) FROM FBI_Code AS T1 INNER JOIN Crime AS T2 ON T2.fbi_code_no = T1.fbi_code_no | 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)
);
|
works_cycles | Provide all the transactions whereby the quantiy is more than 10,000 pieces. State the product name and the selling price. | Quantity more than 10,000 pieces refers to Quantity>10000; selling price refers to ListPrice | SELECT DISTINCT T1.Name, T1.ListPrice FROM Product AS T1 INNER JOIN TransactionHistory AS T2 ON T1.ProductID = T2.ProductID WHERE T2.Quantity > 10000 | 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
);
|
mondial_geo | Provide the population of the city of the 'World Tourism Organization' headquarter. | SELECT T2.Population FROM organization AS T1 INNER JOIN city AS T2 ON T1.City = T2.Name WHERE T1.Name = 'World Tourism Organization' | 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
);
|
|
bike_share_1 | On 8/29/2013 at 6:14:01 PM, how many bikes were borrowed from San Jose Diridon Caltrain Station? | How many bikes borrowed can be computed as SUBTRACT(SUM(dock_count), bikes_available where name = 'San Jose Diridon Caltrain Station' and time = '2013/08/29 06:14:01'); | SELECT SUM(T1.dock_count - T2.bikes_available) FROM station AS T1 INNER JOIN status AS T2 ON T1.id = T2.station_id WHERE T1.name = 'San Jose Diridon Caltrain Station' AND T2.time = '2013/08/29 06:14:01' | 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
);
|
simpson_episodes | In "No Loan Again, Naturally", how many stars received votes of no more than 50? | "No Loan Again, Naturally" is the title of episode; votes of no more than 50 refers to votes < 50; number of stars refers to SUM(stars) | SELECT COUNT(*) FROM Episode AS T1 INNER JOIN Vote AS T2 ON T2.episode_id = T1.episode_id WHERE T1.title = 'No Loan Again, Naturally' AND T2.votes < 50; | 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)
);
|
simpson_episodes | Sum up the votes from star 1 to 5 for all of the contestants in Blimp Award. | contestants refers to result = 'Winner' and result = 'Nominee'; in Blimp Award refers to award = 'Blimp Award'; star 1 to 5 refers to 1 < stars < 5 | SELECT T2.stars, SUM(T2.stars) FROM Award AS T1 INNER JOIN Vote AS T2 ON T2.episode_id = T1.episode_id WHERE T1.award_category = 'Blimp Award' AND T2.stars BETWEEN 1 AND 5 GROUP BY T2.stars; | 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)
);
|
mondial_geo | What is the average percentage of agriculture of GDP in countries on the African Continent? | SELECT AVG(T4.Agriculture) 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 economy AS T4 ON T4.Country = T3.Code WHERE T1.Name = 'Africa' | 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
);
|
|
student_loan | What is the average time for a disabled student to be absent from school? | average time refers to DIVIDE(SUM(`month`), COUNT(name)) | SELECT AVG(T1.month) FROM longest_absense_from_school AS T1 INNER JOIN disabled AS T2 ON T1.`name` = T2.`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
);
|
retail_world | Provide employees' ID who are in-charge of territory ID from 1000 to 2000. | territory ID from 1000 to 2000 refers to TerritoryID BETWEEN 1000 and 2000 | SELECT EmployeeID FROM EmployeeTerritories WHERE TerritoryID BETWEEN 1000 AND 2000 | 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)
);
|
sales_in_weather | What is the lowest minimum temperature recorded in store 16 on January 2012? | lowest minimum temperature refers to Min(tmin); store 16 refers to store_nbr = 16; on January 2012 refers to Substring (date, 1, 7) = '2012-01' | SELECT MIN(tmin) FROM weather AS T1 INNER JOIN relation AS T2 ON T1.station_nbr = T2.station_nbr WHERE T2.store_nbr = 16 AND T1.`date` LIKE '%2012-01%' | CREATE TABLE sales_in_weather
(
date DATE,
store_nbr INTEGER,
item_nbr INTEGER,
units INTEGER,
primary key (store_nbr, date, item_nbr)
);
CREATE TABLE weather
(
station_nbr INTEGER,
date DATE,
tmax INTEGER,
tmin INTEGER,
tavg INTEGER,
depart INTEGER,
dewpoint INTEGER,
wetbulb INTEGER,
heat INTEGER,
cool INTEGER,
sunrise TEXT,
sunset TEXT,
codesum TEXT,
snowfall REAL,
preciptotal REAL,
stnpressure REAL,
sealevel REAL,
resultspeed REAL,
resultdir INTEGER,
avgspeed REAL,
primary key (station_nbr, date)
);
CREATE TABLE relation
(
store_nbr INTEGER
primary key,
station_nbr INTEGER,
foreign key (store_nbr) references sales_in_weather(store_nbr),
foreign key (station_nbr) references weather(station_nbr)
);
|
authors | How many of the papers are preprinted or not published? | preprinted or not published refers to Year = 0 | SELECT COUNT(Id) FROM Paper WHERE Year = 0 | 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)
);
|
chicago_crime | What is the average population of the wards where apartment crimes have been reported without arrests? | apartment crime refers to location_description = 'APARTMENT'; without arrest refers to arrest = 'FALSE'; average population = AVG(Population) | SELECT AVG(T2.Population) FROM Crime AS T1 INNER JOIN Ward AS T2 ON T2.ward_no = T1.ward_no WHERE T1.location_description = 'APARTMENT' AND T1.arrest = 'FALSE' | 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)
);
|
talkingdata | What is the age and gender of the person who uses the device number 29182687948017100 on event number 1? | device number refers to device_id; device_id = 29182687948017100; event number refers to event_id; and event_id = 1; | SELECT T1.age, T1.gender FROM gender_age AS T1 INNER JOIN events_relevant AS T2 ON T1.device_id = T2.device_id WHERE T1.device_id = 29182687948017100 AND T2.event_id = 1 | 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`)
);
|
retails | What are the names of the parts that were ordered by customer 110942? | name of the part refers to p_name; customer 110942 refers to o_custkey = 110942 | SELECT T3.p_name FROM orders AS T1 INNER JOIN lineitem AS T2 ON T1.o_orderkey = T2.l_orderkey INNER JOIN part AS T3 ON T2.l_partkey = T3.p_partkey WHERE T1.o_custkey = 110942 | CREATE TABLE `customer` (
`c_custkey` INTEGER NOT NULL,
`c_mktsegment` TEXT DEFAULT NULL,
`c_nationkey` INTEGER DEFAULT NULL,
`c_name` TEXT DEFAULT NULL,
`c_address` TEXT DEFAULT NULL,
`c_phone` TEXT DEFAULT NULL,
`c_acctbal` REAL DEFAULT NULL,
`c_comment` TEXT DEFAULT NULL,
PRIMARY KEY (`c_custkey`),
FOREIGN KEY (`c_nationkey`) REFERENCES `nation` (`n_nationkey`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE lineitem
(
l_shipdate DATE null,
l_orderkey INTEGER not null,
l_discount REAL not null,
l_extendedprice REAL not null,
l_suppkey INTEGER not null,
l_quantity INTEGER not null,
l_returnflag TEXT null,
l_partkey INTEGER not null,
l_linestatus TEXT null,
l_tax REAL not null,
l_commitdate DATE null,
l_receiptdate DATE null,
l_shipmode TEXT null,
l_linenumber INTEGER not null,
l_shipinstruct TEXT null,
l_comment TEXT null,
primary key (l_orderkey, l_linenumber),
foreign key (l_orderkey) references orders (o_orderkey)
on update cascade on delete cascade,
foreign key (l_partkey, l_suppkey) references partsupp (ps_partkey, ps_suppkey)
on update cascade on delete cascade
);
CREATE TABLE nation
(
n_nationkey INTEGER not null
primary key,
n_name TEXT null,
n_regionkey INTEGER null,
n_comment TEXT null,
foreign key (n_regionkey) references region (r_regionkey)
on update cascade on delete cascade
);
CREATE TABLE orders
(
o_orderdate DATE null,
o_orderkey INTEGER not null
primary key,
o_custkey INTEGER not null,
o_orderpriority TEXT null,
o_shippriority INTEGER null,
o_clerk TEXT null,
o_orderstatus TEXT null,
o_totalprice REAL null,
o_comment TEXT null,
foreign key (o_custkey) references customer (c_custkey)
on update cascade on delete cascade
);
CREATE TABLE part
(
p_partkey INTEGER not null
primary key,
p_type TEXT null,
p_size INTEGER null,
p_brand TEXT null,
p_name TEXT null,
p_container TEXT null,
p_mfgr TEXT null,
p_retailprice REAL null,
p_comment TEXT null
);
CREATE TABLE partsupp
(
ps_partkey INTEGER not null,
ps_suppkey INTEGER not null,
ps_supplycost REAL not null,
ps_availqty INTEGER null,
ps_comment TEXT null,
primary key (ps_partkey, ps_suppkey),
foreign key (ps_partkey) references part (p_partkey)
on update cascade on delete cascade,
foreign key (ps_suppkey) references supplier (s_suppkey)
on update cascade on delete cascade
);
CREATE TABLE region
(
r_regionkey INTEGER not null
primary key,
r_name TEXT null,
r_comment TEXT null
);
CREATE TABLE supplier
(
s_suppkey INTEGER not null
primary key,
s_nationkey INTEGER null,
s_comment TEXT null,
s_name TEXT null,
s_address TEXT null,
s_phone TEXT null,
s_acctbal REAL null,
foreign key (s_nationkey) references nation (n_nationkey)
);
|
trains | How many trains are there that run in the east direction? | east is a direction | SELECT COUNT(id) FROM trains WHERE direction = 'east' | CREATE TABLE `cars` (
`id` INTEGER NOT NULL,
`train_id` INTEGER DEFAULT NULL,
`position` INTEGER DEFAULT NULL,
`shape` TEXT DEFAULT NULL,
`len`TEXT DEFAULT NULL,
`sides` TEXT DEFAULT NULL,
`roof` TEXT DEFAULT NULL,
`wheels` INTEGER DEFAULT NULL,
`load_shape` TEXT DEFAULT NULL,
`load_num` INTEGER DEFAULT NULL,
PRIMARY KEY (`id`),
FOREIGN KEY (`train_id`) REFERENCES `trains` (`id`) ON DELETE CASCADE ON UPDATE CASCADE
);
CREATE TABLE `trains` (
`id` INTEGER NOT NULL,
`direction` TEXT DEFAULT NULL,
PRIMARY KEY (`id`)
);
|
donor | When was the project with the highest quantity went live on the site? Indicate the grade level for which the project materials are intended. | project with the highest quantity refers to max(item_quantity) | SELECT T2.date_posted, T2.grade_level FROM resources AS T1 INNER JOIN projects AS T2 ON T1.projectid = T2.projectid ORDER BY T1.item_quantity DESC LIMIT 1 | 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)
);
|
address | What is the area code of Phillips county in Montana? | "PHILLIPS" is the county; 'Montana' is the name of state | SELECT DISTINCT T1.area_code FROM area_code AS T1 INNER JOIN country AS T2 ON T1.zip_code = T2.zip_code INNER JOIN state AS T3 ON T2.state = T3.abbreviation WHERE T2.county = 'PHILLIPS' AND T3.name = 'Montana' | CREATE TABLE CBSA
(
CBSA INTEGER
primary key,
CBSA_name TEXT,
CBSA_type TEXT
);
CREATE TABLE state
(
abbreviation TEXT
primary key,
name TEXT
);
CREATE TABLE congress
(
cognress_rep_id TEXT
primary key,
first_name TEXT,
last_name TEXT,
CID TEXT,
party TEXT,
state TEXT,
abbreviation TEXT,
House TEXT,
District INTEGER,
land_area REAL,
foreign key (abbreviation) references state(abbreviation)
);
CREATE TABLE zip_data
(
zip_code INTEGER
primary key,
city TEXT,
state TEXT,
multi_county TEXT,
type TEXT,
organization TEXT,
time_zone TEXT,
daylight_savings TEXT,
latitude REAL,
longitude REAL,
elevation INTEGER,
state_fips INTEGER,
county_fips INTEGER,
region TEXT,
division TEXT,
population_2020 INTEGER,
population_2010 INTEGER,
households INTEGER,
avg_house_value INTEGER,
avg_income_per_household INTEGER,
persons_per_household REAL,
white_population INTEGER,
black_population INTEGER,
hispanic_population INTEGER,
asian_population INTEGER,
american_indian_population INTEGER,
hawaiian_population INTEGER,
other_population INTEGER,
male_population INTEGER,
female_population INTEGER,
median_age REAL,
male_median_age REAL,
female_median_age REAL,
residential_mailboxes INTEGER,
business_mailboxes INTEGER,
total_delivery_receptacles INTEGER,
businesses INTEGER,
"1st_quarter_payroll" INTEGER,
annual_payroll INTEGER,
employees INTEGER,
water_area REAL,
land_area REAL,
single_family_delivery_units INTEGER,
multi_family_delivery_units INTEGER,
total_beneficiaries INTEGER,
retired_workers INTEGER,
disabled_workers INTEGER,
parents_and_widowed INTEGER,
spouses INTEGER,
children INTEGER,
over_65 INTEGER,
monthly_benefits_all INTEGER,
monthly_benefits_retired_workers INTEGER,
monthly_benefits_widowed INTEGER,
CBSA INTEGER,
foreign key (state) references state(abbreviation),
foreign key (CBSA) references CBSA(CBSA)
);
CREATE TABLE alias
(
zip_code INTEGER
primary key,
alias TEXT,
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE area_code
(
zip_code INTEGER,
area_code INTEGER,
primary key (zip_code, area_code),
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE avoid
(
zip_code INTEGER,
bad_alias TEXT,
primary key (zip_code, bad_alias),
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE country
(
zip_code INTEGER,
county TEXT,
state TEXT,
primary key (zip_code, county),
foreign key (zip_code) references zip_data(zip_code),
foreign key (state) references state(abbreviation)
);
CREATE TABLE zip_congress
(
zip_code INTEGER,
district TEXT,
primary key (zip_code, district),
foreign key (district) references congress(cognress_rep_id),
foreign key (zip_code) references zip_data(zip_code)
);
|
legislator | How many districts did John Conyers, Jr. serve in total? | SELECT COUNT(T3.district) FROM ( SELECT T2.district FROM current AS T1 INNER JOIN `current-terms` AS T2 ON T1.bioguide_id = T2.bioguide WHERE T1.official_full_name = 'John Conyers, Jr.' GROUP BY T2.district ) T3 | 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 | Please show the credit card number of David Bradley. | credit card number refers to CardNumber; | SELECT T3.CardNumber FROM Person AS T1 INNER JOIN PersonCreditCard AS T2 ON T1.BusinessEntityID = T2.BusinessEntityID INNER JOIN CreditCard AS T3 ON T2.CreditCardID = T3.CreditCardID WHERE T1.FirstName = 'David' AND T1.LastName = 'Bradley' | 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
);
|
mondial_geo | What is the average population growth rate of countries where more than 3 languages are used? | SELECT SUM(T3.Population_Growth) / COUNT(T3.Country) FROM country AS T1 INNER JOIN language AS T2 ON T1.Code = T2.Country INNER JOIN population AS T3 ON T3.Country = T2.Country WHERE T2.Country IN ( SELECT Country FROM language GROUP BY Country HAVING COUNT(Country) > 3 ) GROUP BY T3.Country | 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
);
|
|
shooting | Did the number of cases with Vehicle as subject weapon increase or decrease from year 2007 to 2008. State the difference. | number of cases refers to count(case_number); with Vehicle as subject weapon refers to subject_weapon = 'Vehicle'; year 2007 refers to date between '2007-01-01' and '2007-12-31'; year 2008 refers to date between '2008-01-01' and '2008-12-31' | SELECT SUM(IIF(STRFTIME('%Y', date) = '2007', 1, 0)) - SUM(IIF(STRFTIME('%Y', date) = '2008', 1, 0)) FROM incidents WHERE subject_weapon = 'Vehicle' | CREATE TABLE incidents
(
case_number TEXT not null
primary key,
date DATE not null,
location TEXT not null,
subject_statuses TEXT not null,
subject_weapon TEXT not null,
subjects TEXT not null,
subject_count INTEGER not null,
officers TEXT not null
);
CREATE TABLE officers
(
case_number TEXT not null,
race TEXT null,
gender TEXT not null,
last_name TEXT not null,
first_name TEXT null,
full_name TEXT not null,
foreign key (case_number) references incidents (case_number)
);
CREATE TABLE subjects
(
case_number TEXT not null,
race TEXT not null,
gender TEXT not null,
last_name TEXT not null,
first_name TEXT null,
full_name TEXT not null,
foreign key (case_number) references incidents (case_number)
);
|
mondial_geo | What is the quantity of the mountains does Japan have? | Japan is one of country names | SELECT COUNT(DISTINCT T2.Mountain) FROM country AS T1 INNER JOIN geo_mountain AS T2 ON T1.Code = T2.Country WHERE T1.Name = 'Japan' | 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
);
|
citeseer | Find the words cited in papers that are cited by sima01computational? | paper cited by refers to citing_paper_id; citing_paper_id = 'sima01computational'; | SELECT DISTINCT T2.word_cited_id FROM cites AS T1 INNER JOIN content AS T2 ON T1.cited_paper_id = T2.paper_id WHERE T1.citing_paper_id = 'sima01computational' | 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)
);
|
codebase_comments | Which repository has the longest amount of processed time of downloading? Indicate whether the solution paths in the repository can be implemented without needs of compilation. | longest amount of processed time refers to max(ProcessedTime); the repository can be implemented without needs of compilation refers to WasCompiled = 1; | SELECT DISTINCT T1.id, T2.WasCompiled FROM Repo AS T1 INNER JOIN Solution AS T2 ON T1.Id = T2.RepoId WHERE T1.ProcessedTime = ( SELECT MAX(ProcessedTime) FROM Repo ) | 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
);
|
hockey | For the goalie who had the most shutouts in 2010, what's his catching hand? | the most shutouts refers to max(SHO); shootCatch = 'L' refers to lefthand; shootCatch = 'R' refers to righthand; shootCatch = 'null' or 'empty' means this player is good at both left and right hand | SELECT T1.shootCatch FROM Master AS T1 INNER JOIN Goalies AS T2 ON T1.playerID = T2.playerID WHERE T2.year = 2010 GROUP BY T2.playerID ORDER BY SUM(T2.SHO) 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)
);
|
chicago_crime | Please list the precise location coordinates of all the crimes in Central Chicago. | location coordinates refers to latitude, longitude; Central Chicago refers to district_name = 'Central' | SELECT T2.latitude, T2.longitude FROM District AS T1 INNER JOIN Crime AS T2 ON T1.district_no = T2.district_no WHERE T1.district_name = '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)
);
|
language_corpus | Calculate the average number of different words that appear on all pages whose title begins with A. | DIVIDE(SUM(words WHERE title = 'A%'), COUNT(words WHERE title = 'A%')) as percentage; A is a letter; | SELECT AVG(words) FROM pages WHERE title LIKE 'A%' | 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;
|
food_inspection_2 | After Azha Restaurant Inc. passed the inspection on 2010/1/21, when was the follow-up inspection done? | Azha Restaurant Inc. refers to dba_name = 'Azha Restaurant Inc.'; on 2010/1/21 refers to inspection_date = '2010-01-21'; follow-up inspection date refers to followup_to | SELECT T1.followup_to FROM inspection AS T1 INNER JOIN establishment AS T2 ON T1.license_no = T2.license_no WHERE T2.dba_name = 'Azha Restaurant Inc.' AND T1.results = 'Pass' AND T1.inspection_date = '2010-01-21' | CREATE TABLE employee
(
employee_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
phone TEXT,
title TEXT,
salary INTEGER,
supervisor INTEGER,
foreign key (supervisor) references employee(employee_id)
);
CREATE TABLE establishment
(
license_no INTEGER
primary key,
dba_name TEXT,
aka_name TEXT,
facility_type TEXT,
risk_level INTEGER,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
latitude REAL,
longitude REAL,
ward INTEGER
);
CREATE TABLE inspection
(
inspection_id INTEGER
primary key,
inspection_date DATE,
inspection_type TEXT,
results TEXT,
employee_id INTEGER,
license_no INTEGER,
followup_to INTEGER,
foreign key (employee_id) references employee(employee_id),
foreign key (license_no) references establishment(license_no),
foreign key (followup_to) references inspection(inspection_id)
);
CREATE TABLE inspection_point
(
point_id INTEGER
primary key,
Description TEXT,
category TEXT,
code TEXT,
fine INTEGER,
point_level TEXT
);
CREATE TABLE violation
(
inspection_id INTEGER,
point_id INTEGER,
fine INTEGER,
inspector_comment TEXT,
primary key (inspection_id, point_id),
foreign key (inspection_id) references inspection(inspection_id),
foreign key (point_id) references inspection_point(point_id)
);
|
restaurant | In the Bay Area, what is the most common type of food served by restaurants? | the Bay Area refers to region = 'bay area'; the most common type of food refers to max(count(food_type)) | SELECT T2.food_type FROM geographic AS T1 INNER JOIN generalinfo AS T2 ON T1.city = T2.city WHERE T1.region = 'bay area' GROUP BY T2.food_type ORDER BY COUNT(T2.food_type) DESC LIMIT 1 | 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
);
|
public_review_platform | Please list the IDs of the users who have a high number of followers. | high number of followers refers to user_fans = 'High' | SELECT user_id FROM Users WHERE user_fans LIKE 'High' GROUP BY user_id | 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
);
|
synthea | Name the reason Walter Bahringer visited medical professionals in July 2009. | reason for visiting medical professionals refers to encounters.REASONDESCRIPTION; in July 2009 refers to substr(encounters.DATE, 1, 7) = '2009-07' ; | SELECT T2.REASONDESCRIPTION FROM patients AS T1 INNER JOIN encounters AS T2 ON T1.patient = T2.PATIENT WHERE T1.first = 'Walter' AND T1.last = 'Bahringer' AND T2.DATE LIKE '2009-07%' | 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
);
|
mental_health_survey | Give the number of users who took the "mental health survey for 2018". | mental health survey for 2018 refers to SurveyID = 2018 | SELECT COUNT(DISTINCT T1.UserID) FROM Answer AS T1 INNER JOIN Survey AS T2 ON T1.SurveyID = T2.SurveyID WHERE T2.Description = 'mental health survey for 2018' | CREATE TABLE Question
(
questiontext TEXT,
questionid INTEGER
constraint Question_pk
primary key
);
CREATE TABLE Survey
(
SurveyID INTEGER
constraint Survey_pk
primary key,
Description TEXT
);
CREATE TABLE IF NOT EXISTS "Answer"
(
AnswerText TEXT,
SurveyID INTEGER
constraint Answer_Survey_SurveyID_fk
references Survey,
UserID INTEGER,
QuestionID INTEGER
constraint Answer_Question_questionid_fk
references Question,
constraint Answer_pk
primary key (UserID, QuestionID)
);
|
hockey | Among the players who had 10 empty net goals in their career, who is the tallest? Show his full name. | 10 empty net goals refer to ENG = 10; tallest refers to MAX(height); | SELECT T2.firstName, T2.lastName FROM Goalies AS T1 INNER JOIN Master AS T2 ON T1.playerID = T2.playerID WHERE T1.ENG = 10 ORDER BY T2.height 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)
);
|
student_loan | What is the employment, disability, gender and school debt status for student180 and student117? | school debt status refers to bool; bool = 'pos' means has payment due; bool = 'neg' means doesn't has payment due; student appear in male.name means he is a male; student does not appear in male.name means she is a female; | SELECT ( SELECT COUNT(name) FROM disabled WHERE name IN ('student180', 'student117') ), ( SELECT COUNT(name) FROM unemployed WHERE name IN ('student180', 'student117') ), ( SELECT COUNT(name) FROM male WHERE name IN ('student180', 'student117') ), ( SELECT COUNT(name) FROM no_payment_due WHERE name IN ('student180', 'student117')) | 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
);
|
mental_health_survey | How many times more for the number of users who took the "mental health survey for 2017" than "mental health survey for 2018"? | How many times more = subtract(count(UserID(SurveyID = 2017)), count(UserID(SurveyID = 2018))) | SELECT CAST(COUNT(T1.UserID) AS REAL) / ( SELECT COUNT(T1.UserID) FROM Answer AS T1 INNER JOIN Survey AS T2 ON T1.SurveyID = T2.SurveyID WHERE T2.Description = 'mental health survey for 2018' ) FROM Answer AS T1 INNER JOIN Survey AS T2 ON T1.SurveyID = T2.SurveyID WHERE T2.Description = 'mental health survey for 2017' | CREATE TABLE Question
(
questiontext TEXT,
questionid INTEGER
constraint Question_pk
primary key
);
CREATE TABLE Survey
(
SurveyID INTEGER
constraint Survey_pk
primary key,
Description TEXT
);
CREATE TABLE IF NOT EXISTS "Answer"
(
AnswerText TEXT,
SurveyID INTEGER
constraint Answer_Survey_SurveyID_fk
references Survey,
UserID INTEGER,
QuestionID INTEGER
constraint Answer_Question_questionid_fk
references Question,
constraint Answer_pk
primary key (UserID, QuestionID)
);
|
codebase_comments | List all the method name of the solution path "graffen_NLog.Targets.Syslog\src\NLog.Targets.Syslog.sln
". | method name refers to Name; solution path refers to Path; Path = 'graffen_NLog.Targets.Syslog\src\NLog.Targets.Syslog.sln'; | SELECT DISTINCT T2.Name FROM Solution AS T1 INNER JOIN Method AS T2 ON T1.Id = T2.SolutionId WHERE T1.Path = 'graffen_NLog.Targets.SyslogsrcNLog.Targets.Syslog.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
);
|
retail_complains | How many clients who live in New York City have the complaint outcome as "AGENT"? | New York City refers to city = 'New York City' | SELECT COUNT(T2.`rand client`) FROM client AS T1 INNER JOIN callcenterlogs AS T2 ON T1.client_id = T2.`rand client` WHERE T1.city = 'New York City' AND T2.outcome = 'AGENT' | 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)
);
|
movie_3 | What is the rental price per day of the most expensive children's film? | children's film refers to name = 'Children'; average price per day of most expensive film = Max(Divide(rental_rate, rental_duration)) | SELECT 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 = 'Children' ORDER BY T1.rental_rate / T1.rental_duration DESC LIMIT 1 | 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
);
|
restaurant | List all the streets with more than 10 restaurants in Alameda county. | street refers to street_name; more than 10 restaurants refers to count(id_restaurant) > 10 | SELECT T2.street_name FROM geographic AS T1 INNER JOIN location AS T2 ON T1.city = T2.city WHERE T1.county = 'alameda county' GROUP BY T2.street_name HAVING COUNT(T2.id_restaurant) > 10 | 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
);
|
disney | Which song is associated with the most popular Disney movie in 1970s? | the most popular movie refers to movie_title where MAX(total_gross); in 1970s refers to (cast(SUBSTR(release_date, instr(release_date, ', ') + 1) as int) between 1970 and 1979); | SELECT T2.song FROM movies_total_gross AS T1 INNER JOIN characters AS T2 ON T1.movie_title = T2.movie_title WHERE CAST(SUBSTR(T1.release_date, INSTR(T1.release_date, ', ') + 1) AS int) BETWEEN 1970 AND 1979 ORDER BY CAST(REPLACE(SUBSTR(T1.total_gross, 2), ',', '') AS float) DESC LIMIT 1 | 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)
);
|
books | Which year has the most customer orders? | year with the most customer orders refers to Max(count(order_id)) | SELECT strftime('%Y', order_date) FROM cust_order GROUP BY strftime('%Y', order_date) ORDER BY COUNT(strftime('%Y', order_date)) DESC LIMIT 1 | CREATE TABLE address_status
(
status_id INTEGER
primary key,
address_status TEXT
);
CREATE TABLE author
(
author_id INTEGER
primary key,
author_name TEXT
);
CREATE TABLE book_language
(
language_id INTEGER
primary key,
language_code TEXT,
language_name TEXT
);
CREATE TABLE country
(
country_id INTEGER
primary key,
country_name TEXT
);
CREATE TABLE address
(
address_id INTEGER
primary key,
street_number TEXT,
street_name TEXT,
city TEXT,
country_id INTEGER,
foreign key (country_id) references country(country_id)
);
CREATE TABLE customer
(
customer_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
email TEXT
);
CREATE TABLE customer_address
(
customer_id INTEGER,
address_id INTEGER,
status_id INTEGER,
primary key (customer_id, address_id),
foreign key (address_id) references address(address_id),
foreign key (customer_id) references customer(customer_id)
);
CREATE TABLE order_status
(
status_id INTEGER
primary key,
status_value TEXT
);
CREATE TABLE publisher
(
publisher_id INTEGER
primary key,
publisher_name TEXT
);
CREATE TABLE book
(
book_id INTEGER
primary key,
title TEXT,
isbn13 TEXT,
language_id INTEGER,
num_pages INTEGER,
publication_date DATE,
publisher_id INTEGER,
foreign key (language_id) references book_language(language_id),
foreign key (publisher_id) references publisher(publisher_id)
);
CREATE TABLE book_author
(
book_id INTEGER,
author_id INTEGER,
primary key (book_id, author_id),
foreign key (author_id) references author(author_id),
foreign key (book_id) references book(book_id)
);
CREATE TABLE shipping_method
(
method_id INTEGER
primary key,
method_name TEXT,
cost REAL
);
CREATE TABLE IF NOT EXISTS "cust_order"
(
order_id INTEGER
primary key autoincrement,
order_date DATETIME,
customer_id INTEGER
references customer,
shipping_method_id INTEGER
references shipping_method,
dest_address_id INTEGER
references address
);
CREATE TABLE sqlite_sequence(name,seq);
CREATE TABLE IF NOT EXISTS "order_history"
(
history_id INTEGER
primary key autoincrement,
order_id INTEGER
references cust_order,
status_id INTEGER
references order_status,
status_date DATETIME
);
CREATE TABLE IF NOT EXISTS "order_line"
(
line_id INTEGER
primary key autoincrement,
order_id INTEGER
references cust_order,
book_id INTEGER
references book,
price REAL
);
|
movie_3 | How many Italian film titles were special featured with deleted scenes? | Italian is name of language; special featured with deleted scenes refers to special_features = 'deleted scenes' | SELECT COUNT(T1.film_id) FROM film AS T1 INNER JOIN `language` AS T2 ON T1.language_id = T2.language_id WHERE T2.`name` = 'Italian' AND T1.special_features = 'deleted scenes' | 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
);
|
movie_3 | What is the name of the client who has the largest quantity of rented material without returning it? | name refers to first_name, last_name; without returning a rented material refers to return_date is null | SELECT T.first_name FROM ( SELECT T2.first_name, COUNT(T1.rental_date) AS num FROM rental AS T1 INNER JOIN customer AS T2 ON T1.customer_id = T2.customer_id GROUP BY T2.first_name ) AS T ORDER BY T.num DESC LIMIT 1 | 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
);
|
video_games | What percentage of games are sports? | percentage = MULTIPLY(DIVIDE(SUM(genre_name = 'sport'), COUNT(game_name)), 100.0); sports refers to genre_name = 'sport'; | SELECT CAST(COUNT(CASE WHEN T1.genre_name = 'Sports' THEN T2.id ELSE NULL END) AS REAL) * 100 / COUNT(T2.id) FROM genre AS T1 INNER JOIN game AS T2 ON T1.id = T2.genre_id | 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)
);
|
cs_semester | Among the students with high salary, what is total number of students with a GPA higher than 3? | high salary refers to salary = 'high'; GPA higher than 3 refers to gpa > 3; | SELECT COUNT(T1.student_id) FROM RA AS T1 INNER JOIN student AS T2 ON T1.student_id = T2.student_id WHERE T1.salary = 'high' AND T2.gpa > 3 | 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
);
|
ice_hockey_draft | What is the weight of the player with the longest time on ice in the player’s first 7 years of NHL career in kilograms? | weight in kilograms refers to weight_in_kg; longest time on ice in the player's first 7 years of NHL career refers to MAX(sum_7yr_TOI); | SELECT T2.weight_in_kg FROM PlayerInfo AS T1 INNER JOIN weight_info AS T2 ON T1.weight = T2.weight_id WHERE T1.sum_7yr_TOI = ( SELECT MAX(t.sum_7yr_TOI) FROM PlayerInfo t ) | CREATE TABLE height_info
(
height_id INTEGER
primary key,
height_in_cm INTEGER,
height_in_inch TEXT
);
CREATE TABLE weight_info
(
weight_id INTEGER
primary key,
weight_in_kg INTEGER,
weight_in_lbs INTEGER
);
CREATE TABLE PlayerInfo
(
ELITEID INTEGER
primary key,
PlayerName TEXT,
birthdate TEXT,
birthyear DATE,
birthmonth INTEGER,
birthday INTEGER,
birthplace TEXT,
nation TEXT,
height INTEGER,
weight INTEGER,
position_info TEXT,
shoots TEXT,
draftyear INTEGER,
draftround INTEGER,
overall INTEGER,
overallby TEXT,
CSS_rank INTEGER,
sum_7yr_GP INTEGER,
sum_7yr_TOI INTEGER,
GP_greater_than_0 TEXT,
foreign key (height) references height_info(height_id),
foreign key (weight) references weight_info(weight_id)
);
CREATE TABLE SeasonStatus
(
ELITEID INTEGER,
SEASON TEXT,
TEAM TEXT,
LEAGUE TEXT,
GAMETYPE TEXT,
GP INTEGER,
G INTEGER,
A INTEGER,
P INTEGER,
PIM INTEGER,
PLUSMINUS INTEGER,
foreign key (ELITEID) references PlayerInfo(ELITEID)
);
|
bike_share_1 | Please write down the trip IDs which ended on the days when the minimum temperature is less than 45 degrees Fahrenheit. | the minimum temperature is less than 45 degrees Fahrenheit refers to min_temperature_f<45; | SELECT T1.id FROM trip AS T1 INNER JOIN weather AS T2 ON T2.zip_code = T1.zip_code WHERE T2.min_temperature_f < 45 | 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
);
|
synthea | How many unmarried women were checked for normal pregnancy? | unmarried refers to marital = 'S'; women refers to gender = 'F'; normal pregnancy refers to conditions.DESCRIPTION = 'normal pregnancy'; | SELECT COUNT(DISTINCT T2.patient) FROM conditions AS T1 INNER JOIN patients AS T2 ON T1.PATIENT = T2.patient WHERE T1.DESCRIPTION = 'Normal pregnancy' AND T2.gender = 'F' AND T2.marital = 'S' | 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
);
|
disney | Who is the most productive director? | Most productive director refers to director where MAX(COUNT(name)); | SELECT director FROM director GROUP BY director ORDER BY COUNT(name) DESC LIMIT 1 | 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)
);
|
movielens | Among the best actors, how many of them got a rating of 5 to the movies they starred? | SELECT COUNT(T1.actorid) FROM actors AS T1 INNER JOIN movies2actors AS T2 ON T1.actorid = T2.actorid INNER JOIN u2base AS T3 ON T2.movieid = T3.movieid WHERE T1.a_quality = 5 AND T3.rating = 5 | 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)
);
|
|
legislator | Among all the current female legislators, how many of them have not been registered in Federal Election Commission data? | have not been registered refers to fec_id IS NULL; female refers to gender_bio = 'F' | SELECT COUNT(*) FROM current WHERE (fec_id IS NULL OR fec_id = '') AND gender_bio = 'F' | 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)
);
|
shakespeare | What is the character and work ID of the text "Fear not thou, man, thou shalt lose nothing here."? | character refers to chapter_id; text "Fear not thou, man, thou shalt lose nothing here." refers to PlainText = 'Fear not thou, man, thou shalt lose nothing here.' | SELECT T2.character_id, T1.work_id FROM chapters AS T1 INNER JOIN paragraphs AS T2 ON T1.id = T2.chapter_id WHERE T2.PlainText = 'Fear not thou, man, thou shalt lose nothing here.' | 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
);
|
address | How many postal points with unique post office types are there in Ohio? | postal points refer to zip_code; unique post office types refer to type = 'Unique Post Office'; Ohio is the name of the state, in which name = 'Ohio'; | SELECT COUNT(T2.zip_code) FROM state AS T1 INNER JOIN zip_data AS T2 ON T1.abbreviation = T2.state WHERE T1.name = 'Ohio' AND T2.type = 'Unique Post Office' | CREATE TABLE CBSA
(
CBSA INTEGER
primary key,
CBSA_name TEXT,
CBSA_type TEXT
);
CREATE TABLE state
(
abbreviation TEXT
primary key,
name TEXT
);
CREATE TABLE congress
(
cognress_rep_id TEXT
primary key,
first_name TEXT,
last_name TEXT,
CID TEXT,
party TEXT,
state TEXT,
abbreviation TEXT,
House TEXT,
District INTEGER,
land_area REAL,
foreign key (abbreviation) references state(abbreviation)
);
CREATE TABLE zip_data
(
zip_code INTEGER
primary key,
city TEXT,
state TEXT,
multi_county TEXT,
type TEXT,
organization TEXT,
time_zone TEXT,
daylight_savings TEXT,
latitude REAL,
longitude REAL,
elevation INTEGER,
state_fips INTEGER,
county_fips INTEGER,
region TEXT,
division TEXT,
population_2020 INTEGER,
population_2010 INTEGER,
households INTEGER,
avg_house_value INTEGER,
avg_income_per_household INTEGER,
persons_per_household REAL,
white_population INTEGER,
black_population INTEGER,
hispanic_population INTEGER,
asian_population INTEGER,
american_indian_population INTEGER,
hawaiian_population INTEGER,
other_population INTEGER,
male_population INTEGER,
female_population INTEGER,
median_age REAL,
male_median_age REAL,
female_median_age REAL,
residential_mailboxes INTEGER,
business_mailboxes INTEGER,
total_delivery_receptacles INTEGER,
businesses INTEGER,
"1st_quarter_payroll" INTEGER,
annual_payroll INTEGER,
employees INTEGER,
water_area REAL,
land_area REAL,
single_family_delivery_units INTEGER,
multi_family_delivery_units INTEGER,
total_beneficiaries INTEGER,
retired_workers INTEGER,
disabled_workers INTEGER,
parents_and_widowed INTEGER,
spouses INTEGER,
children INTEGER,
over_65 INTEGER,
monthly_benefits_all INTEGER,
monthly_benefits_retired_workers INTEGER,
monthly_benefits_widowed INTEGER,
CBSA INTEGER,
foreign key (state) references state(abbreviation),
foreign key (CBSA) references CBSA(CBSA)
);
CREATE TABLE alias
(
zip_code INTEGER
primary key,
alias TEXT,
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE area_code
(
zip_code INTEGER,
area_code INTEGER,
primary key (zip_code, area_code),
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE avoid
(
zip_code INTEGER,
bad_alias TEXT,
primary key (zip_code, bad_alias),
foreign key (zip_code) references zip_data(zip_code)
);
CREATE TABLE country
(
zip_code INTEGER,
county TEXT,
state TEXT,
primary key (zip_code, county),
foreign key (zip_code) references zip_data(zip_code),
foreign key (state) references state(abbreviation)
);
CREATE TABLE zip_congress
(
zip_code INTEGER,
district TEXT,
primary key (zip_code, district),
foreign key (district) references congress(cognress_rep_id),
foreign key (zip_code) references zip_data(zip_code)
);
|
works_cycles | What is the location id for Debur and Polish? | Debur and Polish is name of manufacturing location | SELECT LocationID FROM Location WHERE Name = 'Debur and Polish' | 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
);
|
works_cycles | What is the number of the sub categories for bikes? | Bike refers to the name of the product category, therefore ProductCategoryID = 1 | SELECT COUNT(*) FROM ProductCategory AS T1 INNER JOIN ProductSubcategory AS T2 ON T1.ProductCategoryID = T2.ProductCategoryID WHERE T1.Name = 'Bikes' | 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
);
|
food_inspection | Among the violations in 2016, how many of them have unscheduled inspections? | unscheduled inspections refer to type = 'Routine - Unschedule'; year(date) = 2016; | SELECT COUNT(T2.business_id) FROM violations AS T1 INNER JOIN inspections AS T2 ON T1.business_id = T2.business_id WHERE STRFTIME('%Y', T1.`date`) = '2016' AND T2.type = 'Routine - Unscheduled' | CREATE TABLE `businesses` (
`business_id` INTEGER NOT NULL,
`name` TEXT NOT NULL,
`address` TEXT DEFAULT NULL,
`city` TEXT DEFAULT NULL,
`postal_code` TEXT DEFAULT NULL,
`latitude` REAL DEFAULT NULL,
`longitude` REAL DEFAULT NULL,
`phone_number` INTEGER DEFAULT NULL,
`tax_code` TEXT DEFAULT NULL,
`business_certificate` INTEGER NOT NULL,
`application_date` DATE DEFAULT NULL,
`owner_name` TEXT NOT NULL,
`owner_address` TEXT DEFAULT NULL,
`owner_city` TEXT DEFAULT NULL,
`owner_state` TEXT DEFAULT NULL,
`owner_zip` TEXT DEFAULT NULL,
PRIMARY KEY (`business_id`)
);
CREATE TABLE `inspections` (
`business_id` INTEGER NOT NULL,
`score` INTEGER DEFAULT NULL,
`date` DATE NOT NULL,
`type` TEXT NOT NULL,
FOREIGN KEY (`business_id`) REFERENCES `businesses` (`business_id`)
);
CREATE TABLE `violations` (
`business_id` INTEGER NOT NULL,
`date` DATE NOT NULL,
`violation_type_id` TEXT NOT NULL,
`risk_category` TEXT NOT NULL,
`description` TEXT NOT NULL,
FOREIGN KEY (`business_id`) REFERENCES `businesses` (`business_id`)
);
|
movie_3 | How much money did the customer No.297 pay for the rental which happened at 12:27:27 on 2005/7/28? | customer no. 297 refers to customer_id = 297; at 12:27:27 on 2005/7/28 refers to rental_date = '2005-07-28 12:27:27'; money pay for rent refers to amount | SELECT T1.amount FROM payment AS T1 INNER JOIN rental AS T2 ON T1.rental_id = T2.rental_id WHERE T2.rental_date = '2005-07-28 12:27:27' AND T2.customer_id = 297 | 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
);
|
retail_world | What is the average salary for employees from ID 1 to 9? | ID 1 to 9 refers to EmployeeID BETWEEN 1 AND 9; Average salary = AVG(Salary) | SELECT AVG(Salary) FROM Employees WHERE EmployeeID BETWEEN 1 AND 9 | 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)
);
|
movie | What is the name of the character played by Tom Cruise in the movie Born on the Fourth of July? | played by Tom Cruise refers to name = 'Tom Cruise'; movie Born on the Fourth of July refers to title = 'Born on the Fourth of July' | SELECT T2.`Character Name` 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 T3.Name = 'Tom Cruise' AND T1.Title = 'Born on the Fourth of July' | 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)
);
|
food_inspection_2 | How many taverns failed in July 2010? | tavern refers to facility_type = 'Tavern'; failed refers to results = 'Fail'; in July 2010 refers to inspection_date like '2010-07%' | SELECT COUNT(DISTINCT T1.license_no) FROM establishment AS T1 INNER JOIN inspection AS T2 ON T1.license_no = T2.license_no WHERE strftime('%Y-%m', T2.inspection_date) = '2010-07' AND T2.results = 'Fail' AND T1.facility_type = 'Restaurant' | CREATE TABLE employee
(
employee_id INTEGER
primary key,
first_name TEXT,
last_name TEXT,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
phone TEXT,
title TEXT,
salary INTEGER,
supervisor INTEGER,
foreign key (supervisor) references employee(employee_id)
);
CREATE TABLE establishment
(
license_no INTEGER
primary key,
dba_name TEXT,
aka_name TEXT,
facility_type TEXT,
risk_level INTEGER,
address TEXT,
city TEXT,
state TEXT,
zip INTEGER,
latitude REAL,
longitude REAL,
ward INTEGER
);
CREATE TABLE inspection
(
inspection_id INTEGER
primary key,
inspection_date DATE,
inspection_type TEXT,
results TEXT,
employee_id INTEGER,
license_no INTEGER,
followup_to INTEGER,
foreign key (employee_id) references employee(employee_id),
foreign key (license_no) references establishment(license_no),
foreign key (followup_to) references inspection(inspection_id)
);
CREATE TABLE inspection_point
(
point_id INTEGER
primary key,
Description TEXT,
category TEXT,
code TEXT,
fine INTEGER,
point_level TEXT
);
CREATE TABLE violation
(
inspection_id INTEGER,
point_id INTEGER,
fine INTEGER,
inspector_comment TEXT,
primary key (inspection_id, point_id),
foreign key (inspection_id) references inspection(inspection_id),
foreign key (point_id) references inspection_point(point_id)
);
|
cs_semester | List the student's email with grade of B in a course with difficulty greater than the 80% of average difficulty of all courses. | difficulty refers to diff; course with difficulty greater than the 80% of average difficulty refers to diff > MULTIPLY(AVG(diff), 80%); | SELECT T2.email FROM registration AS T1 INNER JOIN student AS T2 ON T1.student_id = T2.student_id INNER JOIN course AS T3 ON T1.course_id = T3.course_id WHERE T1.grade = 'B' GROUP BY T3.diff HAVING T3.diff > AVG(T3.diff) * 0.8 | 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
);
|
university | What is the ranking criteria ID of Brown University in 2014? | Brown University refers to university_name = 'Brown University'; in 2014 refers to year = 2014 | SELECT T1.ranking_criteria_id FROM university_ranking_year AS T1 INNER JOIN university AS T2 ON T1.university_id = T2.id WHERE T2.university_name = 'Brown University' AND T1.year = 2014 | 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)
);
|
olympics | Compute the average height of competitors whose age ranges from 22 to 28. | AVG(height) where age BETWEEN 22 AND 28; | SELECT AVG(T1.height) FROM person AS T1 INNER JOIN games_competitor AS T2 ON T1.id = T2.person_id WHERE T2.age BETWEEN 22 AND 28 | 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)
);
|
simpson_episodes | What is the episode ID that received 2 stars and 9 votes? | 2 stars refers to stars = 2; 9 votes refers to votes = 9 | SELECT episode_id FROM Vote WHERE stars = 2 AND votes = 9; | 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)
);
|
synthea | What is the average body weight of Asian patients? | average = AVG(observations.VALUE WHERE observations.DESCRIPTION = 'Body Weight' AND observations.UNITS = 'kg'); body weight refers to observations.DESCRIPTION = 'Body Weight'; Asian refers to race = 'asian'; | SELECT SUM(T2.VALUE) / COUNT(T1.patient) FROM patients AS T1 INNER JOIN observations AS T2 ON T1.patient = T2.PATIENT WHERE T1.race = 'asian' AND T2.DESCRIPTION = 'Body Weight' AND T2.UNITS = 'kg' | 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
);
|
coinmarketcap | Had Bitcoin's price increased or decreased on 2013/5/5 compared with the price 7 days before? | price increased refers to percent_change_7d>0; decreased refers percent_change_7d<0; on 2013/5/5 refers to date = '2013-05-05' | SELECT (CASE WHEN T2.percent_change_7d > 0 THEN 'INCREASED' ELSE 'DECREASED' END) FROM coins AS T1 INNER JOIN historical AS T2 ON T1.id = T2.coin_id WHERE T2.date = '2013-05-05' AND T1.name = 'Bitcoin' | CREATE TABLE coins
(
id INTEGER not null
primary key,
name TEXT,
slug TEXT,
symbol TEXT,
status TEXT,
category TEXT,
description TEXT,
subreddit TEXT,
notice TEXT,
tags TEXT,
tag_names TEXT,
website TEXT,
platform_id INTEGER,
date_added TEXT,
date_launched TEXT
);
CREATE TABLE IF NOT EXISTS "historical"
(
date DATE,
coin_id INTEGER,
cmc_rank INTEGER,
market_cap REAL,
price REAL,
open REAL,
high REAL,
low REAL,
close REAL,
time_high TEXT,
time_low TEXT,
volume_24h REAL,
percent_change_1h REAL,
percent_change_24h REAL,
percent_change_7d REAL,
circulating_supply REAL,
total_supply REAL,
max_supply REAL,
num_market_pairs INTEGER
);
|
airline | What is the name of the airline with the highest number of non-cancelled flights? | names of the airlines refers to Description; highest number of non-cancelled flights refers to MAX(COUNT(CANCELLED = 0)); | SELECT T2.Description FROM Airlines AS T1 INNER JOIN `Air Carriers` AS T2 ON T1.OP_CARRIER_AIRLINE_ID = T2.Code WHERE T1.CANCELLED = 0 GROUP BY T2.Description ORDER BY COUNT(T1.CANCELLED) DESC LIMIT 1 | CREATE TABLE IF NOT EXISTS "Air Carriers"
(
Code INTEGER
primary key,
Description TEXT
);
CREATE TABLE Airports
(
Code TEXT
primary key,
Description TEXT
);
CREATE TABLE Airlines
(
FL_DATE TEXT,
OP_CARRIER_AIRLINE_ID INTEGER,
TAIL_NUM TEXT,
OP_CARRIER_FL_NUM INTEGER,
ORIGIN_AIRPORT_ID INTEGER,
ORIGIN_AIRPORT_SEQ_ID INTEGER,
ORIGIN_CITY_MARKET_ID INTEGER,
ORIGIN TEXT,
DEST_AIRPORT_ID INTEGER,
DEST_AIRPORT_SEQ_ID INTEGER,
DEST_CITY_MARKET_ID INTEGER,
DEST TEXT,
CRS_DEP_TIME INTEGER,
DEP_TIME INTEGER,
DEP_DELAY INTEGER,
DEP_DELAY_NEW INTEGER,
ARR_TIME INTEGER,
ARR_DELAY INTEGER,
ARR_DELAY_NEW INTEGER,
CANCELLED INTEGER,
CANCELLATION_CODE TEXT,
CRS_ELAPSED_TIME INTEGER,
ACTUAL_ELAPSED_TIME INTEGER,
CARRIER_DELAY INTEGER,
WEATHER_DELAY INTEGER,
NAS_DELAY INTEGER,
SECURITY_DELAY INTEGER,
LATE_AIRCRAFT_DELAY INTEGER,
FOREIGN KEY (ORIGIN) REFERENCES Airports(Code),
FOREIGN KEY (DEST) REFERENCES Airports(Code),
FOREIGN KEY (OP_CARRIER_AIRLINE_ID) REFERENCES "Air Carriers"(Code)
);
|
video_games | Name the game released in 2011. | game refers to game_name; released in 2011 refers to release_year = 2011 | SELECT T3.game_name FROM game_platform AS T1 INNER JOIN game_publisher AS T2 ON T1.game_publisher_id = T2.id INNER JOIN game AS T3 ON T2.game_id = T3.id WHERE T1.release_year = 2011 | 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_platform | Who is the user who created the list titled 'Sound and Vision'? Was he a subcriber when he created the list? | list titled 'Sound and Vision' refers to list_title = 'Sound and Vision'; user_subscriber = 1 means the user was a subscriber when he rated the movie; user_subscriber = 0 means the user was not a subscriber when he rated the movie
| SELECT T1.user_id, T1.user_subscriber FROM lists_users AS T1 INNER JOIN lists AS T2 ON T1.list_id = T2.list_id WHERE T2.list_title LIKE 'Sound and Vision' | CREATE TABLE IF NOT EXISTS "lists"
(
user_id INTEGER
references lists_users (user_id),
list_id INTEGER not null
primary key,
list_title TEXT,
list_movie_number INTEGER,
list_update_timestamp_utc TEXT,
list_creation_timestamp_utc TEXT,
list_followers INTEGER,
list_url TEXT,
list_comments INTEGER,
list_description TEXT,
list_cover_image_url TEXT,
list_first_image_url TEXT,
list_second_image_url TEXT,
list_third_image_url TEXT
);
CREATE TABLE IF NOT EXISTS "movies"
(
movie_id INTEGER not null
primary key,
movie_title TEXT,
movie_release_year INTEGER,
movie_url TEXT,
movie_title_language TEXT,
movie_popularity INTEGER,
movie_image_url TEXT,
director_id TEXT,
director_name TEXT,
director_url TEXT
);
CREATE TABLE IF NOT EXISTS "ratings_users"
(
user_id INTEGER
references lists_users (user_id),
rating_date_utc TEXT,
user_trialist INTEGER,
user_subscriber INTEGER,
user_avatar_image_url TEXT,
user_cover_image_url TEXT,
user_eligible_for_trial INTEGER,
user_has_payment_method INTEGER
);
CREATE TABLE lists_users
(
user_id INTEGER not null ,
list_id INTEGER not null ,
list_update_date_utc TEXT,
list_creation_date_utc TEXT,
user_trialist INTEGER,
user_subscriber INTEGER,
user_avatar_image_url TEXT,
user_cover_image_url TEXT,
user_eligible_for_trial TEXT,
user_has_payment_method TEXT,
primary key (user_id, list_id),
foreign key (list_id) references lists(list_id),
foreign key (user_id) references lists(user_id)
);
CREATE TABLE ratings
(
movie_id INTEGER,
rating_id INTEGER,
rating_url TEXT,
rating_score INTEGER,
rating_timestamp_utc TEXT,
critic TEXT,
critic_likes INTEGER,
critic_comments INTEGER,
user_id INTEGER,
user_trialist INTEGER,
user_subscriber INTEGER,
user_eligible_for_trial INTEGER,
user_has_payment_method INTEGER,
foreign key (movie_id) references movies(movie_id),
foreign key (user_id) references lists_users(user_id),
foreign key (rating_id) references ratings(rating_id),
foreign key (user_id) references ratings_users(user_id)
);
|
bike_share_1 | Which station did the user who started at Market at 4th station ended their trip at the time of 12:45:00 PM and the date of 8/29/2013 and what is the location coordinates of the ending station? | started at refers to start_station_name; start_station_name = 'Market at 4th'; location coordinates refers to (lat, long); | SELECT T1.name, T1.lat, T1.long FROM station AS T1 INNER JOIN trip AS T2 ON T2.end_station_name = T1.name WHERE T2.start_station_name = 'Market at 4th' AND T2.end_date = '8/29/2013 12:45' | 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
);
|
cookbook | How many cups of almonds do you need for a chicken pocket sandwich? | cups is a unit; almonds is a name of an ingredient; chicken pocket sandwich refers to title | SELECT COUNT(*) FROM Recipe AS T1 INNER JOIN Quantity AS T2 ON T1.recipe_id = T2.recipe_id INNER JOIN Ingredient AS T3 ON T3.ingredient_id = T2.ingredient_id WHERE T1.title = 'Chicken Pocket Sandwich' AND T3.name = 'almonds' AND T2.unit = 'cup(s)' | CREATE TABLE Ingredient
(
ingredient_id INTEGER
primary key,
category TEXT,
name TEXT,
plural TEXT
);
CREATE TABLE Recipe
(
recipe_id INTEGER
primary key,
title TEXT,
subtitle TEXT,
servings INTEGER,
yield_unit TEXT,
prep_min INTEGER,
cook_min INTEGER,
stnd_min INTEGER,
source TEXT,
intro TEXT,
directions TEXT
);
CREATE TABLE Nutrition
(
recipe_id INTEGER
primary key,
protein REAL,
carbo REAL,
alcohol REAL,
total_fat REAL,
sat_fat REAL,
cholestrl REAL,
sodium REAL,
iron REAL,
vitamin_c REAL,
vitamin_a REAL,
fiber REAL,
pcnt_cal_carb REAL,
pcnt_cal_fat REAL,
pcnt_cal_prot REAL,
calories REAL,
foreign key (recipe_id) references Recipe(recipe_id)
);
CREATE TABLE Quantity
(
quantity_id INTEGER
primary key,
recipe_id INTEGER,
ingredient_id INTEGER,
max_qty REAL,
min_qty REAL,
unit TEXT,
preparation TEXT,
optional TEXT,
foreign key (recipe_id) references Recipe(recipe_id),
foreign key (ingredient_id) references Ingredient(ingredient_id),
foreign key (recipe_id) references Nutrition(recipe_id)
);
|