Reputation: 13906
Is there an easy way to create synonyms to all tables in a different database?
thanks
EDIT: I have a number of stored procedures that hardcoded some table schemas into the select queries. When I copy the schemas to a new server, the SPs fail because the schema doesn't exist. There is little control I have over the destination server and I don't want to having to change all the SP, so I thought synonym may be a good solution.
Upvotes: 10
Views: 40430
Reputation: 50211
Create a stored procedure something like this:
CREATE PROCEDURE SynonymUpdate
@Database nvarchar(256), -- such as 'linkedserver.database' or just 'database'
@Schema sysname -- such as 'dbo'
AS
CREATE TABLE #Tables (
TableID int identity(1,1) NOT NULL PRIMARY KEY CLUSTERED,
Table_Name sysname
)
DECLARE
@SQL nvarchar(4000),
@ID int
SET @SQL = N'SELECT Table_Name FROM ' + @Database + '.INFORMATION_SCHEMA.TABLES WHERE Table_Schema = @TableSchema'
INSERT #Tables EXEC sp_executesql @SQL, N'@TableSchema sysname', @Schema
SELECT @ID = MAX(TableID) FROM #Tables
WHILE @ID > 0 BEGIN
SELECT @SQL = 'CREATE SYNONYM ' + Table_Name + ' FOR ' + @Database + '.' + @Schema + '.' + Table_Name FROM #Tables WHERE TableID = @ID
PRINT @SQL
--EXEC sp_executesql @SQL
SET @ID = @ID - 1
END
Then run it like this:
EXEC SynonymUpdate 'Database' , 'dbo'
Note that you have to run this as a user with the privilege of creating synonyms. If you want a user without those privileges to run it, in SQL 2000 no luck, in SQL 2005 you can put an EXECUTE AS clause in there.
Upvotes: 10
Reputation: 135808
You could run a query like this on the original database, then run the output results on your new database.
select 'create synonym syn_' + t.name + ' for [' + DB_NAME() + '].[' + s.name + '].[' + t.name + ']'
from sys.tables t
inner join sys.schemas s
on t.schema_id = s.schema_id
where t.type = 'U'
As an example, running this against the Master database would produce:
create synonym syn_spt_fallback_db for [master].[dbo].[spt_fallback_db]
create synonym syn_spt_fallback_dev for [master].[dbo].[spt_fallback_dev]
create synonym syn_spt_fallback_usg for [master].[dbo].[spt_fallback_usg]
create synonym syn_spt_monitor for [master].[dbo].[spt_monitor]
create synonym syn_spt_values for [master].[dbo].[spt_values]
create synonym syn_MSreplication_options for [master].[dbo].[MSreplication_options]
Upvotes: 29
Reputation: 332571
If this is a single instance, and both databases are on it - use three name notation:
SELECT *
FROM database1.dbo.table_X
JOIN database2.dbo.table_Y ...
If the other database exists on a separate SQL Server instance (you can have more than one SQL Server on a box), or the database exists on a SQL Server instance on a different box/VM - create a Linked Server instance. Then you use four name notation:
SELECT *
FROM database1.dbo.table_X
JOIN linked_server_name.database2.dbo.table_Y
Upvotes: 3