Check if table exists in SQL Server

How to Check if table exists in SQL Server before to delete it ? How to drop it only if the existence check shows it already exists in the database to avoid errors, using the DROP TABLE keyword. Indeed, when running long SQL scripts or running scripts twice, it is much better to test the table existence.

Indeed, we highly recommend testing the table existence to avoid the following error message. To drop a SQL Server table without error, simply use this code.

How to check if a SQL Server table exists before delete?

How to avoid and fix this SQL Server Error?

« Msg 3701, Level 11, State 5, Line 1
Cannot drop the table ‘SALES’, because it does not exist or you do not have permission. »

You want to DROP a table from your SQL Server database but using directly the SQL command DROP TABLE followed by the table name, the RDBMS is throwing an error because the table does not exist. The solution is to test the existence of the table using a simple SQL query.

Solution: Test the SQL Server table existence before the drop table command it with the IF EXISTS and DROP functions.

IF EXISTS (
  SELECT 1 FROM sys.objects
  WHERE object_id = object_id(N'[dbo].[SALES]')
    AND type in (N'U') 
)
BEGIN
  DROP TABLE [dbo].[SALES]
END;

This post shows how to check if table exists in SQL Server and then drop it, but only if it exists. Check first in the objects system table of the SQL Server database, after this drop the table without any error. Indeed, if the table does not exists then the DROP TABLE command is simply skipped.

Here is a T-SQL script to check the last modification date of a given table, from the table management series of articles from the blog.

To go further and learn more details on the syntaxes and options, check this article on the drop table command from the official SQL Server documentation.

https://expert-only.com/en/t-sql/display-the-modification-date-of-a-sql-server-table/

Leave a Comment

Your email address will not be published. Required fields are marked *