Foreign Key in SQL: Definition and Examples

foreign-key-feature-image.jpg

A foreign key in SQL is a column or a set of columns in one table that links to the primary key of another table. It creates a relationship between the two tables, helping to maintain accurate and consistent data. In a relational database, information is often spread across multiple tables. Foreign keys help connect that data by matching values, making the database more organized and meaningful. In this blog, you will learn what a foreign key is, why it is important, and how to create it with clear steps and examples.

Table of Contents:

What is a Foreign Key in SQL?

What is a foreign key in SQL

A foreign key in SQL is a column (or group of columns) in a table that is a reference to the primary key in another table. It establishes a relationship between two tables. The table that has the foreign key is called the child table, and the table that has the primary key is called the parent table.

Importance of Foreign Keys

Understanding the importance of a foreign key will help you design more reliable and consistent databases:

  • Ensure Data Integrity: They ensure that values entered in the child table must exist in the parent table.
  • Avoid Orphan Records: You cannot enter a record that points to a non-existent parent table.
  • Support Table Relationships: Foreign keys are used to express one-to-one, one-to-many, or many-to-many relationships.
  • Enhance Data Structure: Foreign keys help organize data, making it manageable and scalable.

Foreign Key in SQL Syntax

Here is the standard foreign key in SQL syntax that is used to define relationships between tables. The foreign key syntax in SQL ensures that each value in the child table matches an existing value in the parent table.

Syntax:

CREATE TABLE ChildTable (
    Column1 DataType,
    Column2 DataType,
    ...
    FOREIGN KEY (ColumnName) REFERENCES ParentTable(PrimaryKeyColumn)
);
Master SQL & Land Your Dream Data Job
Join our expert-led, hands-on SQL course designed to take you from beginner to pro
quiz-icon

Types of Foreign Keys in SQL

Different types of foreign keys are used depending on the table structure and relationship requirements:

1. Simple Foreign Key

This is the most common type. A simple foreign key is defined as a one-column relation from one table that references the primary key of a second table.

Let’s consider two tables: Departments as the parent table and Employees as the child table. A foreign key is defined on the DeptID column in the Employees table to link it with the DeptID column in the Departments table, as shown in the example below:

Example:

-- Parent Table
CREATE TABLE Departments (
  DeptID INT PRIMARY KEY,
  DeptName VARCHAR(50)
);
-- Child Table
CREATE TABLE Employees (
  EmpID INT PRIMARY KEY,
  EmpName VARCHAR(50),
  DeptID INT,
  FOREIGN KEY (DeptID) REFERENCES Departments(DeptID)
);

Explanation: In the above query, DeptID in the Employees table is a foreign key to the Departments table. The foreign key ensures that an employee must belong to an existing department.

2. Composite Foreign Key

A composite foreign key is a foreign key that uses two or more columns to define the relationship. This relationship is used when a single column is not sufficient to uniquely identify a record.

Example:

-- Parent Table
CREATE TABLE CourseSchedule (
  CourseID INT,
  SemesterID INT,
  PRIMARY KEY (CourseID, SemesterID)
);
-- Child Table
CREATE TABLE StudentEnrollments (
  StudentID INT,
  CourseID INT,
  SemesterID INT,
  FOREIGN KEY (CourseID, SemesterID) REFERENCES CourseSchedule(CourseID, SemesterID)
);

Explanation: This query creates a parent table, CourseSchedule, with a composite primary key (CourseID, SemesterID). The child table StudentEnrollments uses both columns as a foreign key to ensure students enroll only in scheduled course-semester combinations.

3. Foreign Key with Cascading Actions

This type of foreign key also contains ON DELETE CASCADE or ON UPDATE CASCADE actions. These actions specify what should happen to the child record if the record it is related to in the parent table is deleted or updated.

Example:

-- Parent Table
CREATE TABLE Customers (
  CustomerID INT PRIMARY KEY,
  CustomerName VARCHAR(50)
);

-- Child Table
CREATE TABLE Orders (
  OrderID INT PRIMARY KEY,
  CustomerID INT,
  FOREIGN KEY (CustomerID) REFERENCES Customers(CustomerID) ON DELETE CASCADE
);

Explanation: This query sets up a foreign key in the Orders table referencing Customers(CustomerID) with ON DELETE CASCADE. It ensures that when a customer is deleted, all their associated orders are automatically removed to prevent orphan records.

How to Create a Foreign Key in SQL

Let’s explore how to create a foreign key step-by-step with a practical example:

Step 1: Create the Parent Table

The Courses table is created to store course details. The CourseID column is defined as the primary key to ensure that each course has a unique identifier.

CREATE TABLE Courses (
  CourseID INT PRIMARY KEY,
  CourseName VARCHAR(50)
); 

Step 2: Create the Child Table

The Students table is created to store student information. The CourseID column is set as a foreign key to link each student to a course listed in the Courses table, establishing a relationship between the two tables.

CREATE TABLE Students (
  StudentID INT PRIMARY KEY,
  StudentName VARCHAR(50),
  CourseID INT,
  FOREIGN KEY (CourseID) REFERENCES Courses(CourseID)

);

Now you might be wondering how to add a foreign key in SQL to an existing table that is already created.

Adding a foreign key to an existing table creates a relationship between tables, ensures data stays accurate, and allows only valid values in the child table. This is useful when tables are already created and you want to connect them without rebuilding the tables.

Example:

-- Parent table
CREATE TABLE Departments (
DeptID INT PRIMARY KEY,
DeptName VARCHAR(50)
);

-- Existing child table
CREATE TABLE Employees (
EmpID INT PRIMARY KEY,
EmpName VARCHAR(50),
DeptID INT
);

-- Adding foreign key to the existing child table
ALTER TABLE Employees
ADD CONSTRAINT fk_dept
FOREIGN KEY (DeptID) REFERENCES Departments(DeptID);

Explanation: Here, the ALTER TABLE command adds a foreign key to the existing Employees table, connecting DeptID in Employees to DeptID in Departments to ensure the data stays correct.

Managing Foreign Keys in SQL

Foreign keys link tables and make sure data is correct. In this section, you will learn how to manage foreign keys, update or delete them, and use them to keep your database organized.

1. Dropping a Foreign Key Constraint in SQL

This process removes an existing foreign key from a table using the ALTER TABLE statement. It is useful when you want to modify or delete the relationship between two tables to update the database structure.

Syntax:

ALTER TABLE table_name
DROP FOREIGN KEY constraint_name;

Example: If the foreign key in the Students table is named fk_course:

ALTER TABLE Students
DROP FOREIGN KEY fk_course;

2. Using ON DELETE and ON UPDATE with Foreign Keys in SQL

In SQL, when a record in the parent table is updated or deleted, we can define what changes must be made on the child table with the help of ON DELETE and ON UPDATE actions.

Syntax:

FOREIGN KEY (ColumnName)
REFERENCES ParentTable(PrimaryKeyColumn)
ON DELETE CASCADE
ON UPDATE CASCADE

Common Actions:

  1. CASCADE: Automatically updates or deletes related records.
  2. SET NULL: Sets the foreign key value to NULL in the child table.
  3. SET DEFAULT: Sets the value to a default (must be defined earlier).
  4. RESTRICT / NO ACTION: Prevents the action if child rows exist.

3. Using Foreign Keys to Normalize SQL Databases

Data normalization is a process of reducing repetitive data, which helps to improve efficiency. A foreign key helps to achieve normalization by linking smaller and related tables.

Example:

CREATE TABLE Departments (
    DeptID INT PRIMARY KEY,
    DeptName VARCHAR(100)
);

CREATE TABLE Employees (
    EmpID INT PRIMARY KEY,
    EmpName VARCHAR(100),
    DeptID INT,
    FOREIGN KEY (DeptID) REFERENCES Departments(DeptID)
);

Explanation: Here, the DeptID in the employees table is a foreign key that helps to connect employees to their respective department, as this avoids repeating department names for every employee.

Difference Between Primary Key and Foreign Key in SQL

Let us explore the difference between a Primary key and Foreign key in SQL.

Feature Primary Key Foreign Key
Uniqueness The primary key ensures each value in the table is unique. A foreign key can contain duplicate values.
NULL Values No NULL values are allowed in the primary key. Foreign keys may contain NULL values.
Relationship The primary key identifies unique records in the table. A foreign key links one table to another table.
Number of Keys A table can have only one primary key. A table can have multiple foreign keys.
Indexing Primary keys are automatically indexed to improve performance. Foreign keys may or may not be indexed.
Modification The primary key cannot be altered once referenced. A foreign key can be modified if it doesn’t violate constraints.

Get 100% Hike!

Master Most in Demand Skills Now!

Common Challenges While Using Foreign Keys in SQL

  1. Insert Restrictions: If the parent table does not have a matching value, the child table cannot insert that value. This helps keep the data accurate and connected.
  2. Delete Restrictions: You cannot delete a record from the parent table if it is being used in the child table, unless the foreign key is set with ON DELETE CASCADE to remove related records automatically.
  3. Complex Joins: Queries with multiple joins due to foreign keys can become slow and harder to read.
  4. Circular References: It is not uncommon for two tables to reference each other using foreign keys, which can complicate the data relationships.

 Best Practices for Using Foreign Key

  1. Meaningful Names for Constraints: When you create a foreign key, give it a proper name so that users can understand.
  2. Avoid NULLs Unless Necessary: If your data design does not allow it, avoid using NULL values in foreign key columns unless required.
  3. Add Indexes Where Appropriate: You can create indexes on foreign key columns to help improve query performance.
  4. Use Careful ON DELETE and UPDATE Actions: Be careful either letting relationships cascade or restricting them based on how you intend to relate your data.
  5. Test with Sample Data: Before enforcing foreign key relationships on real data, test them with dummy data using inserts, updates, and deletes to make sure everything is performing correctly.

Real-World Example of Foreign Key

Here’s a real-world example of a foreign key that demonstrates how it links related data in a hospital management system.

1. Hospital Management System

A hospital keeps track of its patients and doctors and logs which doctors are assigned to patients.

Example:

-- Creating the Patients table
CREATE TABLE patients (
    patient_id INT PRIMARY KEY,
    patient_name VARCHAR(100)

);
-- Creating the Doctors table
CREATE TABLE doctors (
    doctor_id INT PRIMARY KEY,
    doctor_name VARCHAR(100)

);
-- Creating the Assignments table to link Patients and Doctors
CREATE TABLE assignments (
    assignment_id INT PRIMARY KEY,
    patient_id INT REFERENCES patients(patient_id),
    doctor_id INT REFERENCES doctors(doctor_id)

);
-- Inserting data into the Patients table
INSERT INTO patients (patient_id, patient_name) VALUES
    (1, 'Alice Johnson'),
    (2, 'Bob Williams');
-- Inserting data into the Doctors table
INSERT INTO doctors (doctor_id, doctor_name) VALUES
    (201, 'Dr. Emily Carter'),
    (202, 'Dr. Mark Lee');
-- Inserting data into the Assignments table
INSERT INTO assignments (assignment_id, patient_id, doctor_id) VALUES
    (1, 1, 201),
    (2, 2, 202);
-- Displaying Results
SELECT * FROM patients;
SELECT * FROM doctors;
SELECT * FROM assignments;

Output:

real world example

Explanation: Here, three tables are created, which are used to manage the patients, doctors, and their assignments. Foreign keys in the assignments table make sure that only valid patient and doctor IDs are linked.

Start Learning SQL for Free
Build your foundation in SQL with our beginner-friendly, zero-cost course.
quiz-icon

Conclusion

In relational databases, foreign keys are essential for building structured and dependable systems. They maintain relationships between tables by linking related data and ensuring consistency and accuracy across the database. Whether you are handling student enrollments, customer orders, or employee records, foreign keys keep the data organized and meaningful. When used properly, foreign keys in SQL help you retrieve cleaner data, easier maintenance, and a stronger overall database design. This makes your system more reliable and easier to grow in the future. In this blog, you have learned the concept of a foreign key, its importance in maintaining relationships in SQL, and how to create, manage, and use them to keep your database organized and accurate.

Take your skills to the next level by enrolling in the SQL Course today and gaining hands-on experience. Also, prepare for job interviews with SQL Interview Questions prepared by industry experts

Check out our other blogs related to SQL:

Having Clause in SQL Secondary Key in DBMS Functional Dependency in DBMS

Foreign Key in SQL – FAQs

Q1. What is a foreign key in SQL?

A foreign key is a column (or set of columns) in one table that refers to the primary key in another table. It’s used to maintain referential integrity between two tables.

Q2. What is the difference between primary key and foreign key in SQL?

A primary key uniquely identifies rows in its table, while a foreign key refers to a primary key in another table.

Q3. How to set a foreign key in SQL?

To set a foreign key in SQL, use the FOREIGN KEY constraint on the child table column and reference the parent table primary key.

Q4. How to add a foreign key in SQL?

You can add a foreign key in SQL using ALTER TABLE or by defining it while creating the table with FOREIGN KEY and REFERENCES.

Q5. Can a table have multiple foreign keys in SQL?

Yes, a table can have multiple foreign keys referencing different parent tables or even the same table.

Q6. How to set a foreign key in SQL?

Use a foreign key in SQL when you want to enforce relationships between tables and ensure data stays accurate and consistent.

About the Author

Technical Writer | Business Analyst

Yash Vardhan Gupta is an expert in data and business analysis, skilled at turning complex data into clear and actionable insights. He works with tools like Power BI, Tableau, SQL, and Markdown to develop effective documentation, including SRS and BRD. He helps teams interpret data, make informed decisions, and drive better business outcomes. He is also passionate about sharing his expertise in a simple and understandable way to help others learn and apply it effectively.

business intelligence professional