Reputation:
I need to update the GroupID field to a 0. I have figured out how to retrieve the value, I am now running into problems updating it.
Any help would ge great!
<ProblemProfile>
<GroupID>-1</GroupID>
<LayoutID>1</LayoutID>
<MyQueries>false</MyQueries>
</ProblemProfile>
Declare @Result xml
set @Result = convert(xml,(select ProfileXML from profiles where id = 23))
SELECT x.value('.', 'int') ID
FROM @Result.nodes('/ProblemProfile/GroupID') as R(x)
Update
What I need to do now is update every single row's GroupID that has the value of 'foo'
declare @foo int
set @foo = -1
UPDATE profiles
SET ProfileXML.modify('replace value of (/ProblemProfile/GroupID/text())[1] with "0"')
WHERE ProfileXML.value('(/ProblemProfile/GroupID)[1]', 'int') = @foo
This is only updating the first row that meets this criteria. How would I update every row?
Update 2 That statement works. Turns out the database structure for the first node can be different. A simple //GroupID...etc updated every row. It is always the stupid little things that trip us up haha.
Upvotes: 34
Views: 81152
Reputation: 4115
The simplest way to change the text inside element
UPDATE [TableName]
SET
[fieldName].modify('replace value of (root/elementName/text())[1] with "wBob"')
GO
Upvotes: 1
Reputation: 755321
You can do something like this:
UPDATE
dbo.profiles
SET
ProfileXML.modify('replace value of (/ProblemProfile/GroupID/text())[1] with "0"')
WHERE
id = 23
Check out this article on SQL Server 2005 XQuery and XML-DML for more details on what you can do with the .modify
keyword (insert, delete, replace etc.).
Marc
PS: In order to get the value, it would be a lot easier to do just this:
SELECT ProfileXML.value('(/ProblemProfile/GroupID)[1]', 'int') as ID
FROM dbo.profiles
WHERE id = 23
(unless of course you need the XML as a SQL variable for something else later on)
Upvotes: 49