sqlsql-server-2008database-schemadatabase-migrationkentico

How to change schema of all tables, views and stored procedures in MSSQL


Recently we were having issues on our database server and after long efforts it was decided to change the database server. So we managed to restore the database on another server, change the connection string, etc. Everything was going as planned until we tried to access the website from a web browser.

We started getting errors about database objects not being found. Later we found out that it occured as a result of the modified schema name. Since there are hundreds of database objects (tables, views and stored procedures) in a Kentico database, it is not feasible to change all of them manually, one-by-one. Is there a practical way of doing this?


Solution

  • Yes, it is possible.

    To change the schema of a database object you need to run the following SQL script:

    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.ObjectName
    

    Where ObjectName can be the name of a table, a view or a stored procedure. The problem seems to be getting the list of all database objects with a given shcema name. Thankfully, there is a system table named sys.Objects that stores all database objects. The following query will generate all needed SQL scripts to complete this task:

    SELECT 'ALTER SCHEMA NewSchemaName TRANSFER [' + SysSchemas.Name + '].[' + DbObjects.Name + '];'
    FROM sys.Objects DbObjects
    INNER JOIN sys.Schemas SysSchemas ON DbObjects.schema_id = SysSchemas.schema_id
    WHERE SysSchemas.Name = 'OldSchemaName'
    AND (DbObjects.Type IN ('U', 'P', 'V'))
    

    Where type 'U' denotes user tables, 'V' denotes views and 'P' denotes stored procedures.

    Running the above script will generate the SQL commands needed to transfer objects from one schema to another. Something like this:

    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.CONTENT_KBArticle;
    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.Proc_Analytics_Statistics_Delete;
    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.Proc_CMS_QueryProvider_Select;
    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.COM_ShoppingCartSKU;
    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.CMS_WebPart;
    ALTER SCHEMA NewSchemaName TRANSFER OldSchemaName.Polls_PollAnswer;
    

    Now you can run all these generated queries to complete the transfer operation.