Querying with Joins
Learn to retrieve data from multiple tables and combine the results using joins.
We'll cover the following...
When we have relationships between tables, it is not unusual that we may need to view data from several tables combined. Let’s assume we have the following tables.
In Departments
, we have information about departments, and Employees
contains data about employees. Each employee is associated with some department through a foreign key that references the Id
column of the Departments
table. In the visual representation above, we can see that, for example, Tob Gibson
is in the Finance
department. However, if we select data from the Employees
table, we only get the DepartmentId
and no information on how this department is called.
CREATE DATABASE CompanyDatabase; USE CompanyDatabase; CREATE TABLE Departments ( Id INT PRIMARY KEY IDENTITY(1, 1), Name NVARCHAR(100) NOT NULL ); CREATE TABLE Employees ( Id INT PRIMARY KEY IDENTITY(1, 1), Name NVARCHAR(100) NOT NULL, DepartmentId INT REFERENCES Departments (Id) ); INSERT INTO dbo.Departments (Name) VALUES ('Finance'), ('Marketing'), ('IT'), ('Sales'); INSERT INTO dbo.Employees (Name, DepartmentId) VALUES ('Aidil Umarov', 3), ('Tom Gibson', 1), ('Ian Rob', 1), ('Jake Nates', 4); SELECT * FROM dbo.Employees;
Viewing the contents of the Employees table
The ...