web-dev-qa-db-ja.com

どうすれば.netの文字列をUnescapeおよびReescapeできますか?

Commit\r\n\r(.net文字列"Commit\\r\\n\\r")のようなテキストを取り、.NET文字列として"Commit\r\n\r"に戻すWPFコントロール上のTextBoxが必要です。 string.Unescape()とstring.Escape()メソッドのペアを期待していましたが、存在しないようです。自分で書く必要がありますか?またはこれを行うより簡単な方法はありますか?

23
Firoso
System.Text.RegularExpressions.Regex.Unescape(@"\r\n\t\t\t\t\t\t\t\t\tHello world!")

Regex.Unescapeメソッドのドキュメント

43
Diego F.

ハンスのコード、改良版。

  1. StringBuilderを使用するようにした-長い文字列の本当のパフォーマンスブースター
  2. 拡張メソッドにしました

    public static class StringUnescape
    {
        public static string Unescape(this string txt)
        {
            if (string.IsNullOrEmpty(txt)) { return txt; }
            StringBuilder retval = new StringBuilder(txt.Length);
            for (int ix = 0; ix < txt.Length; )
            {
                int jx = txt.IndexOf('\\', ix);
                if (jx < 0 || jx == txt.Length - 1) jx = txt.Length;
                retval.Append(txt, ix, jx - ix);
                if (jx >= txt.Length) break;
                switch (txt[jx + 1])
                {
                    case 'n': retval.Append('\n'); break;  // Line feed
                    case 'r': retval.Append('\r'); break;  // Carriage return
                    case 't': retval.Append('\t'); break;  // Tab
                    case '\\': retval.Append('\\'); break; // Don't escape
                    default:                                 // Unrecognized, copy as-is
                        retval.Append('\\').Append(txt[jx + 1]); break;
                }
                ix = jx + 2;
            }
            return retval.ToString();
        }
    }
    
9
Fyodor Soikin

以下のメソッドは、javascriptエスケープ/アンエスケープ関数と同じです。

Microsoft.JScript.GlobalObject.unescape();

Microsoft.JScript.GlobalObject.escape();
3
hs.jalilian