Before SQL Server 2016 if you wanted to drop an object such as a table you would first have to check if that object existed, then if it did exist delete it. The code could look something like this.
IF EXISTS (SELECT * FROM INFORMATION_SCHEMA.TABLES T WHERE TABLE_NAME = 'MyTable' AND TABLE_SCHEMA = 'DBO')
DROP TABLE [dbo].[MyTable];
With the enhancement, the code above could be reduced to.
DROP TABLE IF EXISTS [dbo].[MyTable];
This code is both simpler to read and implement which is never a bad thing. Tables are not the only things that can be dropped in this way and other objects such as indexes, schema and even databases can also be dropped in this way.
In addition to dropping the objects, you can also use the DROP IF EXIST in the ALTER TABLE statement to drop columns or constraints.
DROP TABLE IF EXISTS [dbo].[MyTable];
CREATE TABLE [dbo].[MyTable]
(
[ID] INT,
[SomeColumn] INT,
CONSTRAINT PK_MyTable_ID PRIMARY KEY CLUSTERED ([ID])
);
ALTER TABLE [dbo].[MyTable] DROP COLUMN IF EXISTS [SomeColumn];
ALTER TABLE [dbo].[MyTable] DROP CONSTRAINT IF EXISTS [PK_MyTable_ID];
This is a great addition to T-SQL however, I feel a CREATE OR ALTER IF EXISTS would be more useful although understandably harder to implement and is something we will hopefully see in the near future.