SQL DATENAME()
The DATENAME
function in SQL is used to retrieve a specific part of a date, such as the year, month, day, or weekday. It returns the result as a string. This function is particularly useful when you need to format or extract meaningful date information for reporting and analysis.
In this tutorial, we will explore the DATENAME
function, its syntax, and practical examples to demonstrate its usage.
Syntax of SQL DATENAME Function
The basic syntax of the DATENAME
function is as follows:
DATENAME(datepart, date)
Where:
datepart
: Specifies the part of the date to extract (e.g., year, month, weekday).date
: The date value from which the information will be retrieved.
List of Date Parts in SQL DATENAME
Date Part | Description | Example Output |
---|---|---|
year | Returns the year | 2025 |
month | Returns the full name of the month | February |
day | Returns the day of the month | 12 |
weekday | Returns the full name of the weekday | Tuesday |
hour | Returns the hour | 14 |
minute | Returns the minute | 30 |
second | Returns the second | 45 |
Step-by-Step Examples Using SQL DATENAME
1. Extracting the Month and Weekday from a Date
Let’s retrieve the month and weekday from a given date:
SELECT
DATENAME(month, '2025-02-12') AS Month_Name,
DATENAME(weekday, '2025-02-12') AS Weekday_Name;
data:image/s3,"s3://crabby-images/e825c/e825c4c5e2e5d1337affbff2050f17e862aa7aab" alt=""
Explanation:
- The
DATENAME(month, '2025-02-12')
function returnsFebruary
. - The
DATENAME(weekday, '2025-02-12')
function returnsTuesday
.
2. Using DATENAME with a Table
Consider a employees
table that stores employee details, including their joining date.
CREATE TABLE employees (
id INT PRIMARY KEY IDENTITY(1,1),
name VARCHAR(50),
joining_date DATE
);
Insert some sample data:
INSERT INTO employees (name, joining_date)
VALUES
('Arjun', '2024-06-15'),
('Ram', '2023-11-25'),
('Priya', '2022-09-10');
Now, retrieve the joining month and weekday for each employee:
SELECT
name,
joining_date,
DATENAME(month, joining_date) AS Joining_Month,
DATENAME(weekday, joining_date) AS Joining_Weekday
FROM employees;
data:image/s3,"s3://crabby-images/c1e90/c1e90056f5099df641da15822912a228c97affa3" alt=""
Explanation:
DATENAME(month, joining_date)
extracts the month from thejoining_date
.DATENAME(weekday, joining_date)
extracts the weekday from thejoining_date
.- The result shows each employee’s name, joining date, joining month, and joining weekday.
Conclusion
The DATENAME()
function in SQL is used for retrieving specific parts of a date as strings. In this tutorial, we covered:
- The syntax and supported date parts.
- Using
DATENAME
with static and table-based examples. - How to extract meaningful date information like months and weekdays.