Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to encode the ampersand if it is not already encoded?

Tags:

c#

regex

encoding

I need a c# method to encode ampersands if they are not already encoded or part of another encoded epxression

eg

"tom & jill" should become "tom & jill"


"tom & jill" should remain "tom & jill"


"tom € jill" should remain "tom € jill"


"tom <&> jill" should become "tom <&amp;> jill"


"tom &quot;&&quot; jill" should become "tom &quot;&amp;&quot; jill"
like image 823
Petras Avatar asked Oct 11 '11 07:10

Petras


1 Answers

What you actually want to do, is first decode the string and then encode it again. Don't bother trying to patch an encoded string.

Any encoding is only worth its salt if it can be decoded easily, so reuse that logic to make your life easier. And your software less bug-prone.

Now, if you are unsure of whether the string is encoded or not - the problem will most certainly not be the string itself, but the ecosystem that produced the string. Where did you get it from? Who did it pass through before it got to you? Do you trust it?

If you really have to resort to creating a magic-fix-weird-data function, then consider building a table of "encodings" and their corresponding characters:

&amp; -> &
&euro; -> €
&lt; -> <
// etc.

Then, first decode all encountered encodings according to the table and later reencode the whole string. Sure, you might get more efficient methods when fumbling without decoding first. But you won't be sane next year. And this is your carrier, right? You need to stay right in the head! You'll loose your mind if you try to be too clever. And you'll lose your job when you go mad. Sad things happen to people who let maintaining their hacks destroy their minds...

EDIT: Using the .NET library, of course, will save you from madness:

  • HttpUtility.HtmlDecode(string)
  • HttpUtility.HtmlEncode(string)

I just tested it, and it seems to have no problems with decoding strings with just ampersands in them. So, go ahead:

string magic(string encodedOrNot)
{
    var decoded = HttpUtility.HtmlDecode(encodedOrNot);
    return HttpUtility.HtmlEncode(decoded);
}

EDIT#2: It turns out, that the decoder HttpUtility.HtmlDecode will work for your purpose, but the encoder will not, since you don't want angle brackets (<, >) to be encoded. But writing an encoder is really easy:

define encoder(string decoded):
    result is a string-builder
    for character in decoded:
        if character in encoding-table:
           result.append(encoding-table[character])
        else:
           result.append(character)
    return result as string
like image 198
Daren Thomas Avatar answered Oct 11 '22 10:10

Daren Thomas