Using SQL Server 2008 R2. I need to write a SQL script that will search for specific text (e.g. server name) in existing SQL views, replace this text with another string, then update the view (ALTER VIEW). I can't figure out how I would write this script. Anyone do something similar they can share?
Would I extract the entire text into a variable, perform REPLACE, then "rewrite" the entire view from this variable?
I am able to alter the view statement, not sure how best to get the view refreshed with this @viewtext variable:
declare @viewtext nvarchar(max)
set @viewtext = (select definition from sys.objects so
join sys.sql_modules sm on sm.object_id = so.object_id
where so.type = 'V'
and so.object_id = object_id('dbo.vwHistoryByLocation'))
set @viewtext = (select replace(@viewtext,'.PROD.','.TEST.'))
set @viewtext = (select replace(@viewtext,'CREATE VIEW','ALTER VIEW'))
select @viewtext
Not sure if there's a better way or not, but got back to working on this and got it to work as follows:
declare @rc int = 0
declare @vwtext nvarchar(max)
declare @name nvarchar(max)
declare @descr nvarchar(max)
declare cur cursor for
select so.name, sm.definition from sys.objects so
join sys.sql_modules sm on sm.object_id = so.object_id
where so.type = 'V'
and sm.definition like '%.PROD.%';
open cur;
fetch next from cur into @name, @descr
while (@@FETCH_STATUS = 0)
begin
set @vwtext = (select replace(@descr,'.PROD.','.TEST.'))
set @vwtext = (select replace(@vwtext,'CREATE VIEW ','ALTER VIEW '))
select @vwtext
exec @rc = sys.sp_executesql @vwtext
fetch next from cur into @name, @descr;
end
close cur;
deallocate cur;
I found the solution. The above description I entered has resolved my problem, and in fact I was able to push this routine into a stored procedure so I can pass the source and target text values for whatever variables I need to update. Thanks AMA for your contribution.