SQL ISDATE
The SQL ISDATE
function is used to determine whether an expression is a valid date format. It returns 1
(true) if the expression is a valid date and 0
(false) otherwise. The ISDATE
function is primarily available in SQL Server and is commonly used in data validation scenarios.
In this tutorial, we will explore the ISDATE
function, its syntax, and practical use cases with step-by-step examples.
Syntax of SQL ISDATE Function
The basic syntax of the SQL ISDATE
function is:
SELECT ISDATE(expression);
Parameters:
expression
: The value or column to check whether it is a valid date format.
Return Values:
- Returns
1
if the value is a valid date. - Returns
0
if the value is not a valid date.
Examples of SQL ISDATE Function
1. Checking a Valid and Invalid Date
Let’s check different values to see whether they are valid dates:
SELECT ISDATE('2025-02-12') AS ValidDate1,
ISDATE('12-Feb-2025') AS ValidDate2,
ISDATE('Hello World') AS InvalidDate,
ISDATE('2025/13/05') AS InvalidDate2;
data:image/s3,"s3://crabby-images/3325d/3325d2c46a32c7d8f202af20d9f06bd2617ff1c7" alt=""
Explanation:
'2025-02-12'
and'12-Feb-2025'
are valid date formats, so they return1
.'Hello World'
is not a valid date, so it returns0
.'2025/13/05'
has an invalid month (13
), so it returns0
.
2. Using ISDATE in a Table with Names
Let’s create a users
table to demonstrate the ISDATE
function on stored data.
CREATE TABLE users (
id INT PRIMARY KEY IDENTITY(1,1),
name VARCHAR(50),
birthdate VARCHAR(50) -- Stored as string for validation
);
Insert some sample data:
INSERT INTO users (name, birthdate)
VALUES
('Arjun', '1995-08-15'),
('Ram', '2001-12-05'),
('Priya', 'InvalidDate'),
('Meera', '2023/02/30');
Now, let’s use ISDATE
to check which users have valid birthdates:
SELECT name, birthdate,
ISDATE(birthdate) AS IsValidBirthdate
FROM users;
data:image/s3,"s3://crabby-images/af565/af5658fa24b2a78d974bd9c9367b90162e88c65c" alt=""
Explanation:
'1995-08-15'
and'2001-12-05'
are valid dates, so they return1
.'InvalidDate'
and'2023/02/30'
are invalid, so they return0
.
Conclusion
The SQL ISDATE
function is used for validating date values in a database. In this tutorial, we covered:
- How
ISDATE
works and its return values. - Checking different date formats to determine validity.
- Using
ISDATE
in a table to validate stored data.