I'm trying to create a dynamic database creation script.
There are a lot of steps and we create this database often so the script looks something like this.
DECLARE @databaseName nvarchar(100) = 'DatabaseName'
EXEC('/*A lot of database creation code built off of @databaseName*/')
This is all well and good except for one view that we'd like to create in @databaseName
.
I've tried four different ways to create this view without success:
My first thought was to simply set the database context and then create the view in one script. Unfortunately, this didn't work because
CREATE VIEW
must be the first statement in its query block (details).--Result: Error message, "'CREATE VIEW' must be the first statement in a query batch" EXEC (' USE [' + @databaseName + '] CREATE VIEW ')
To get around (1) I tried to set the context separately so that
CREATE VIEW
would be the first command in theEXEC
. This did create the view but did so within my current context and not@databaseName
. It seem that the effects of callingUSE
inEXEC
only persist until the end of thatEXEC
statement (details).--Result: The view is created in the currently active database rather than @databaseName EXEC ('USE [' + @databaseName + ']') EXEC ('CREATE VIEW')
Next I tried putting everything back into one script but included a
GO
command in order to makeCREATE VIEW
the first command in a new query block. This failed becauseGO
isn't allowed within anEXEC
script (details).--Result: Error message, "Incorrect syntax near 'GO'" EXEC (' USE [' + @databaseName + '] GO CREATE VIEW ')
Finally I tried to specify the target database as part of the
CREATE VIEW
command. In this case the script failed becauseCREATE VIEW
doesn't allow the database to be specified as part of its creation (details).--Result: Error message, "'CREATE/ALTER VIEW' does not allow specifying the database name as a prefix to the object name" EXEC ('CREATE VIEW [' + @databaseName + '].[dbo].[ViewName]')
Any suggestions? I think this should be a common use case but Google wasn't able to help me.