c# replace \" characters

后端 未结 6 1424
隐瞒了意图╮
隐瞒了意图╮ 2020-12-29 20:39

I am sent an XML string that I\'m trying to parse via an XmlReader and I\'m trying to strip out the \\\" characters.

I\'ve tried

.Repla         


        
相关标签:
6条回答
  • 2020-12-29 21:02

    Try it like this:

    Replace("\\\"","");
    

    This will replace occurrences of \" with empty string.

    Ex:

    string t = "\\\"the dog is my friend\\\"";
    t = t.Replace("\\\"","");
    

    This will result in:

    the dog is my friend
    
    0 讨论(0)
  • 2020-12-29 21:03
    \ => \\ and " => \"
    

    so Replace("\\\"","")

    0 讨论(0)
  • 2020-12-29 21:06

    In .NET Framework 4 and MVC this is the only representation that worked:

    Replace(@"""","")
    

    Using a backslash in whatever combination did not work...

    0 讨论(0)
  • 2020-12-29 21:14

    Replace(@"\""", "")

    You have to use double-doublequotes to escape double-quotes within a verbatim string.

    0 讨论(0)
  • 2020-12-29 21:25

    Were you trying it like this:

    string text = GetTextFromSomewhere();
    text.Replace("\\", "");
    text.Replace("\"", "");
    

    ? If so, that's the problem - Replace doesn't change the original string, it returns a new string with the replacement performed... so you'd want:

    string text = GetTextFromSomewhere();
    text = text.Replace("\\", "").Replace("\"", "");
    

    Note that this will replace each backslash and each double-quote character; if you only wanted to replace the pair "backslash followed by double-quote" you'd just use:

    string text = GetTextFromSomewhere();
    text = text.Replace("\\\"", "");
    

    (As mentioned in the comments, this is because strings are immutable in .NET - once you've got a string object somehow, that string will always have the same contents. You can assign a reference to a different string to a variable of course, but that's not actually changing the contents of the existing string.)

    0 讨论(0)
  • 2020-12-29 21:28

    Where do these characters occur? Do you see them if you examine the XML data in, say, notepad? Or do you see them when examining the XML data in the debugger. If it is the latter, they are only escape characters for the " characters, and so part of the actual XML data.

    0 讨论(0)
提交回复
热议问题