Guy*_*Guy 419 .net c# algorithm unicode performance
我只需要在C#2.0中编写一个字符串反向函数(即LINQ不可用)并想出了这个:
public string Reverse(string text)
{
    char[] cArray = text.ToCharArray();
    string reverse = String.Empty;
    for (int i = cArray.Length - 1; i > -1; i--)
    {
        reverse += cArray[i];
    }
    return reverse;
}
就个人而言,我并不是对这个功能感到疯狂,并且我确信有更好的方法可以做到这一点.在那儿?
Pet*_*teT 559
public static string Reverse( string s )
{
    char[] charArray = s.ToCharArray();
    Array.Reverse( charArray );
    return new string( charArray );
}
R. *_*des 171
在这里,妥善反转字符串的解决方案"Les Mise\u0301rables"的"selbare\u0301siM seL".这应该呈现selbarésiM seL,不是selbar?esiM seL(注意重音的位置),大多数实现的结果都是基于代码单元(Array.Reverse等)或甚至代码点(特别注意代理对的反转).
using System;
using System.Collections.Generic;
using System.Globalization;
using System.Linq;
public static class Test
{
    private static IEnumerable<string> GraphemeClusters(this string s) {
        var enumerator = StringInfo.GetTextElementEnumerator(s);
        while(enumerator.MoveNext()) {
            yield return (string)enumerator.Current;
        }
    }
    private static string ReverseGraphemeClusters(this string s) {
        return string.Join("", s.GraphemeClusters().Reverse().ToArray());
    }
    public static void Main()
    {
        var s = "Les Mise\u0301rables";
        var r = s.ReverseGraphemeClusters();
        Console.WriteLine(r);
    }
}
(现场运行示例:https://ideone.com/DqAeMJ)
它只是使用.NET API进行字形集群迭代,它从那时起一直存在,但看起来有点"隐藏".
Sam*_*ron 125
这结果是一个令人惊讶的棘手问题.
我建议在大多数情况下使用Array.Reverse,因为它是本地编码的,维护和理解非常简单.
在我测试的所有情况下,它似乎都优于StringBuilder.
public string Reverse(string text)
{
   if (text == null) return null;
   // this was posted by petebob as well 
   char[] array = text.ToCharArray();
   Array.Reverse(array);
   return new String(array);
}
对于使用Xor的某些字符串长度,有第二种方法可以更快.
    public static string ReverseXor(string s)
    {
        if (s == null) return null;
        char[] charArray = s.ToCharArray();
        int len = s.Length - 1;
        for (int i = 0; i < len; i++, len--)
        {
            charArray[i] ^= charArray[len];
            charArray[len] ^= charArray[i];
            charArray[i] ^= charArray[len];
        }
        return new string(charArray);
    }
注意如果要支持完整的Unicode UTF16字符集,请阅读此内容.而是使用那里的实现.它可以通过使用上述算法之一进行进一步优化,并在字符串反转后通过字符串进行清理.
这是StringBuilder,Array.Reverse和Xor方法之间的性能比较.
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Diagnostics;
namespace ConsoleApplication4
{
    class Program
    {
        delegate string StringDelegate(string s);
        static void Benchmark(string description, StringDelegate d, int times, string text)
        {
            Stopwatch sw = new Stopwatch();
            sw.Start();
            for (int j = 0; j < times; j++)
            {
                d(text);
            }
            sw.Stop();
            Console.WriteLine("{0} Ticks {1} : called {2} times.", sw.ElapsedTicks, description, times);
        }
        public static string ReverseXor(string s)
        {
            char[] charArray = s.ToCharArray();
            int len = s.Length - 1;
            for (int i = 0; i < len; i++, len--)
            {
                charArray[i] ^= charArray[len];
                charArray[len] ^= charArray[i];
                charArray[i] ^= charArray[len];
            }
            return new string(charArray);
        }
        public static string ReverseSB(string text)
        {
            StringBuilder builder = new StringBuilder(text.Length);
            for (int i = text.Length - 1; i >= 0; i--)
            {
                builder.Append(text[i]);
            }
            return builder.ToString();
        }
        public static string ReverseArray(string text)
        {
            char[] array = text.ToCharArray();
            Array.Reverse(array);
            return (new string(array));
        }
        public static string StringOfLength(int length)
        {
            Random random = new Random();
            StringBuilder sb = new StringBuilder();
            for (int i = 0; i < length; i++)
            {
                sb.Append(Convert.ToChar(Convert.ToInt32(Math.Floor(26 * random.NextDouble() + 65))));
            }
            return sb.ToString();
        }
        static void Main(string[] args)
        {
            int[] lengths = new int[] {1,10,15,25,50,75,100,1000,100000};
            foreach (int l in lengths)
            {
                int iterations = 10000;
                string text = StringOfLength(l);
                Benchmark(String.Format("String Builder (Length: {0})", l), ReverseSB, iterations, text);
                Benchmark(String.Format("Array.Reverse (Length: {0})", l), ReverseArray, iterations, text);
                Benchmark(String.Format("Xor (Length: {0})", l), ReverseXor, iterations, text);
                Console.WriteLine();    
            }
            Console.Read();
        }
    }
}
结果如下:
26251 Ticks String Builder (Length: 1) : called 10000 times.
33373 Ticks Array.Reverse (Length: 1) : called 10000 times.
20162 Ticks Xor (Length: 1) : called 10000 times.
51321 Ticks String Builder (Length: 10) : called 10000 times.
37105 Ticks Array.Reverse (Length: 10) : called 10000 times.
23974 Ticks Xor (Length: 10) : called 10000 times.
66570 Ticks String Builder (Length: 15) : called 10000 times.
26027 Ticks Array.Reverse (Length: 15) : called 10000 times.
24017 Ticks Xor (Length: 15) : called 10000 times.
101609 Ticks String Builder (Length: 25) : called 10000 times.
28472 Ticks Array.Reverse (Length: 25) : called 10000 times.
35355 Ticks Xor (Length: 25) : called 10000 times.
161601 Ticks String Builder (Length: 50) : called 10000 times.
35839 Ticks Array.Reverse (Length: 50) : called 10000 times.
51185 Ticks Xor (Length: 50) : called 10000 times.
230898 Ticks String Builder (Length: 75) : called 10000 times.
40628 Ticks Array.Reverse (Length: 75) : called 10000 times.
78906 Ticks Xor (Length: 75) : called 10000 times.
312017 Ticks String Builder (Length: 100) : called 10000 times.
52225 Ticks Array.Reverse (Length: 100) : called 10000 times.
110195 Ticks Xor (Length: 100) : called 10000 times.
2970691 Ticks String Builder (Length: 1000) : called 10000 times.
292094 Ticks Array.Reverse (Length: 1000) : called 10000 times.
846585 Ticks Xor (Length: 1000) : called 10000 times.
305564115 Ticks String Builder (Length: 100000) : called 10000 times.
74884495 Ticks Array.Reverse (Length: 100000) : called 10000 times.
125409674 Ticks Xor (Length: 100000) : called 10000 times.
对于短字符串来说,Xor似乎更快.
Bra*_*ger 49
如果字符串包含Unicode数据(严格来说,非BMP字符),则已发布的其他方法将损坏它,因为在反转字符串时无法交换高和低代理代码单元的顺序.(有关此内容的更多信息,请访问我的博客.)
以下代码示例将正确反转包含非BMP字符的字符串,例如"\ U00010380\U00010381"(Ugaritic Letter Alpa,Ugaritic Letter Beta).
public static string Reverse(this string input)
{
    if (input == null)
        throw new ArgumentNullException("input");
    // allocate a buffer to hold the output
    char[] output = new char[input.Length];
    for (int outputIndex = 0, inputIndex = input.Length - 1; outputIndex < input.Length; outputIndex++, inputIndex--)
    {
        // check for surrogate pair
        if (input[inputIndex] >= 0xDC00 && input[inputIndex] <= 0xDFFF &&
            inputIndex > 0 && input[inputIndex - 1] >= 0xD800 && input[inputIndex - 1] <= 0xDBFF)
        {
            // preserve the order of the surrogate pair code units
            output[outputIndex + 1] = input[inputIndex];
            output[outputIndex] = input[inputIndex - 1];
            outputIndex++;
            inputIndex--;
        }
        else
        {
            output[outputIndex] = input[inputIndex];
        }
    }
    return new string(output);
}
SGR*_*Rao 48
来自3.5框架
public string ReverseString(string srtVarable)
{
    return new string(srtVarable.Reverse().ToArray());
}
ric*_*ent 25
好的,为了"不要重复自己",我提供了以下解决方案:
public string Reverse(string text)
{
   return Microsoft.VisualBasic.Strings.StrReverse(text);
}
我的理解是这个实现,默认情况下在VB.NET中可用,正确处理Unicode字符.
Dan*_*Tao 17
Greg Beech发布的unsafe选项确实和它一样快(它是一个就地反转); 但是,正如他在回答中指出的那样,这是一个完全灾难性的想法.
也就是说,我很惊讶有很多共识Array.Reverse是最快的方法.还有一种unsafe方法可以返回字符串的反向副本(没有就地反转恶作剧),比Array.Reverse小字符串的方法要快得多:
public static unsafe string Reverse(string text)
{
    int len = text.Length;
    // Why allocate a char[] array on the heap when you won't use it
    // outside of this method? Use the stack.
    char* reversed = stackalloc char[len];
    // Avoid bounds-checking performance penalties.
    fixed (char* str = text)
    {
        int i = 0;
        int j = i + len - 1;
        while (i < len)
        {
            reversed[i++] = str[j--];
        }
    }
    // Need to use this overload for the System.String constructor
    // as providing just the char* pointer could result in garbage
    // at the end of the string (no guarantee of null terminator).
    return new string(reversed, 0, len);
}
Array.Reverse随着字符串变大,您可以看到性能增益收缩然后消失.但是对于中小型琴弦来说,很难击败这种方法.
Meh*_*loo 14
简单而好的答案是使用扩展方法:
static class ExtentionMethodCollection
{
    public static string Inverse(this string @base)
    {
        return new string(@base.Reverse().ToArray());
    }
}
这是输出:
string Answer = "12345".Inverse(); // = "54321"
Gre*_*ech 13
如果你想玩一个非常危险的游戏,那么这是迄今为止最快的方式(比Array.Reverse方法快四倍).这是使用指针的就地反向.
请注意,我真的不推荐这个用于任何用途(看看这里有一些原因,你不应该使用这个方法),但是看到它可以完成,并且字符串不是真正不可变的,这很有趣一旦你打开不安全的代码.
public static unsafe string Reverse(string text)
{
    if (string.IsNullOrEmpty(text))
    {
        return text;
    }
    fixed (char* pText = text)
    {
        char* pStart = pText;
        char* pEnd = pText + text.Length - 1;
        for (int i = text.Length / 2; i >= 0; i--)
        {
            char temp = *pStart;
            *pStart++ = *pEnd;
            *pEnd-- = temp;
        }
        return text;
    }
}
Mik*_*son 11
在这里查看维基百科条目.它们实现String.Reverse扩展方法.这允许您编写如下代码:
string s = "olleh";
s.Reverse();
他们还使用ToCharArray/Reverse组合,这个问题的其他答案表明.源代码如下所示:
public static string Reverse(this string input)
{
    char[] chars = input.ToCharArray();
    Array.Reverse(chars);
    return new String(chars);
}
Gre*_*ech 11
首先,您不需要调用ToCharArray字符串已经可以索引为char数组,因此这将为您节省分配.
下一个优化是使用a StringBuilder来防止不必要的分配(因为字符串是不可变的,连接它们每次都会生成字符串的副本).为了进一步优化这个,我们预先设置了StringBuilder它的长度,因此不需要扩展它的缓冲区.
public string Reverse(string text)
{
    if (string.IsNullOrEmpty(text))
    {
        return text;
    }
    StringBuilder builder = new StringBuilder(text.Length);
    for (int i = text.Length - 1; i >= 0; i--)
    {
        builder.Append(text[i]);
    }
    return builder.ToString();
}
编辑:效果数据
我使用Array.Reverse以下简单程序测试了这个函数和函数,其中Reverse1一个是函数,另一个函数Reverse2是:
static void Main(string[] args)
{
    var text = "abcdefghijklmnopqrstuvwxyz";
    // pre-jit
    text = Reverse1(text); 
    text = Reverse2(text);
    // test
    var timer1 = Stopwatch.StartNew();
    for (var i = 0; i < 10000000; i++)
    {
        text = Reverse1(text);
    }
    timer1.Stop();
    Console.WriteLine("First: {0}", timer1.ElapsedMilliseconds);
    var timer2 = Stopwatch.StartNew();
    for (var i = 0; i < 10000000; i++)
    {
        text = Reverse2(text);
    }
    timer2.Stop();
    Console.WriteLine("Second: {0}", timer2.ElapsedMilliseconds);
    Console.ReadLine();
}
事实证明,对于短弦乐队来说,这种Array.Reverse方法的速度大约是上面的两倍,而对于较长的琴弦,差异甚至更明显.因此,鉴于该Array.Reverse方法既简单又快捷,我建议您使用它而不是这个.我把这个留在这里只是为了表明这不是你应该这样做的方式(令我惊讶的是!)
Mik*_*Two 10
尝试使用Array.Reverse
public string Reverse(string str)
{
    char[] array = str.ToCharArray();
    Array.Reverse(array);
    return new string(array);
}
Vla*_*den 10
public static string Reverse(string input)
{
    return string.Concat(Enumerable.Reverse(input));
}
当然,您可以使用Reverse方法扩展字符串类
public static class StringExtensions
{
    public static string Reverse(this string input)
    {
        return string.Concat(Enumerable.Reverse(input));
    }
}
Flo*_*gex 10
从 .NET Core 2.1 开始,有一种使用string.Create方法反转字符串的新方法。
请注意,此解决方案无法正确处理 Unicode 组合字符等,因为“Les Mise\u0301rables”将转换为“selbarésiM seL”。在其他的答案一个更好的解决方案。
public static string Reverse(string input)
{
    return string.Create<string>(input.Length, input, (chars, state) =>
    {
        state.AsSpan().CopyTo(chars);
        chars.Reverse();
    });
}
这实质上是将 的字符复制input到一个新字符串并就地反转新字符串。
string.Create有用?当我们从现有数组创建字符串时,会分配一个新的内部数组并复制值。否则,有可能在字符串创建后对其进行变异(在安全环境中)。也就是说,在下面的代码片段中,我们必须两次分配长度为 10 的数组,一次作为缓冲区,另一次作为字符串的内部数组。
var chars = new char[10];
// set array values
var str = new string(chars);
string.Create本质上允许我们在字符串的创建期间操作内部数组。也就是说,我们不再需要缓冲区,因此可以避免分配那个字符数组。
Steve Gordon 在此处更详细地介绍了它。MSDN上也有一篇文章。
string.Create?public static string Create<TState>(int length, TState state, SpanAction<char, TState> action);
该方法接受三个参数:
char新字符串的内部数组,第二个参数是您传递给的数据(状态)string.Create。在委托中,我们可以指定如何从数据创建新字符串。在我们的例子中,我们只是将输入字符串的字符复制到Span新字符串使用的字符中。然后我们反转Span,因此整个字符串被反转。
为了将我提出的反转字符串的方法与接受的答案进行比较,我使用 BenchmarkDotNet 编写了两个基准测试。
public class StringExtensions
{
    public static string ReverseWithArray(string input)
    {
        var charArray = input.ToCharArray();
        Array.Reverse(charArray);
        return new string(charArray);
    }
    public static string ReverseWithStringCreate(string input)
    {
        return string.Create(input.Length, input, (chars, state) =>
        {
            state.AsSpan().CopyTo(chars);
            chars.Reverse();
        });
    }
}
[MemoryDiagnoser]
public class StringReverseBenchmarks
{
    private string input;
    [Params(10, 100, 1000)]
    public int InputLength { get; set; }
    [GlobalSetup]
    public void SetInput()
    {
        // Creates a random string of the given length
        this.input = RandomStringGenerator.GetString(InputLength);
    }
    [Benchmark(Baseline = true)]
    public string WithReverseArray() => StringExtensions.ReverseWithArray(input);
    [Benchmark]
    public string WithStringCreate() => StringExtensions.ReverseWithStringCreate(input);
}
这是我机器上的结果:
| Method           | InputLength |         Mean |      Error |    StdDev |  Gen 0 | Allocated |
| ---------------- | ----------- | -----------: | ---------: | --------: | -----: | --------: |
| WithReverseArray | 10          |    45.464 ns |  0.4836 ns | 0.4524 ns | 0.0610 |      96 B |
| WithStringCreate | 10          |    39.749 ns |  0.3206 ns | 0.2842 ns | 0.0305 |      48 B |
|                  |             |              |            |           |        |           |
| WithReverseArray | 100         |   175.162 ns |  2.8766 ns | 2.2458 ns | 0.2897 |     456 B |
| WithStringCreate | 100         |   125.284 ns |  2.4657 ns | 2.0590 ns | 0.1473 |     232 B |
|                  |             |              |            |           |        |           |
| WithReverseArray | 1000        | 1,523.544 ns |  9.8808 ns | 8.7591 ns | 2.5768 |    4056 B |
| WithStringCreate | 1000        | 1,078.957 ns | 10.2948 ns | 9.6298 ns | 1.2894 |    2032 B |
如您所见,ReverseWithStringCreate我们只分配了该ReverseWithArray方法使用的内存的一半。
不要打扰功能,只需这样做.注意:第二行将在某些VS版本的立即窗口中引发参数异常.
string s = "Blah";
s = new string(s.ToCharArray().Reverse().ToArray()); 
"最好的"可以取决于许多事情,但这里有一些从快到慢排序的简短替代品:
string s = "z?a?l?g?o?", pattern = @"(?s).(?<=(?:.(?=.*$(?<=((\P{M}\p{C}?\p{M}*)\1?))))*)";
string s1 = string.Concat(s.Reverse());                          // "???o?g?l?a?z"  
string s2 = Microsoft.VisualBasic.Strings.StrReverse(s);         // "o?g?l?a??z"  
string s3 = string.Concat(StringInfo.ParseCombiningCharacters(s).Reverse()
    .Select(i => StringInfo.GetNextTextElement(s, i)));          // "o?g?l?a?z?"  
string s4 = Regex.Replace(s, pattern, "$2").Remove(s.Length);    // "o?g?l?a?z?"  
抱歉,很长的帖子,但这可能很有趣
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Text;
namespace ConsoleApplication1
{
    class Program
    {
        public static string ReverseUsingArrayClass(string text)
        {
            char[] chars = text.ToCharArray();
            Array.Reverse(chars);
            return new string(chars);
        }
        public static string ReverseUsingCharacterBuffer(string text)
        {
            char[] charArray = new char[text.Length];
            int inputStrLength = text.Length - 1;
            for (int idx = 0; idx <= inputStrLength; idx++) 
            {
                charArray[idx] = text[inputStrLength - idx];                
            }
            return new string(charArray);
        }
        public static string ReverseUsingStringBuilder(string text)
        {
            if (string.IsNullOrEmpty(text))
            {
                return text;
            }
            StringBuilder builder = new StringBuilder(text.Length);
            for (int i = text.Length - 1; i >= 0; i--)
            {
                builder.Append(text[i]);
            }
            return builder.ToString();
        }
        private static string ReverseUsingStack(string input)
        {
            Stack<char> resultStack = new Stack<char>();
            foreach (char c in input)
            {
                resultStack.Push(c);
            }
            StringBuilder sb = new StringBuilder();
            while (resultStack.Count > 0)
            {
                sb.Append(resultStack.Pop());
            }
            return sb.ToString();
        }
        public static string ReverseUsingXOR(string text)
        {
            char[] charArray = text.ToCharArray();
            int length = text.Length - 1;
            for (int i = 0; i < length; i++, length--)
            {
                charArray[i] ^= charArray[length];
                charArray[length] ^= charArray[i];
                charArray[i] ^= charArray[length];
            }
            return new string(charArray);
        }
        static void Main(string[] args)
        {
            string testString = string.Join(";", new string[] {
                new string('a', 100), 
                new string('b', 101), 
                new string('c', 102), 
                new string('d', 103),                                                                   
            });
            int cycleCount = 100000;
            Stopwatch stopwatch = new Stopwatch();
            stopwatch.Start();
            for (int i = 0; i < cycleCount; i++) 
            {
                ReverseUsingCharacterBuffer(testString);
            }
            stopwatch.Stop();
            Console.WriteLine("ReverseUsingCharacterBuffer: " + stopwatch.ElapsedMilliseconds + "ms");
            stopwatch.Reset();
            stopwatch.Start();
            for (int i = 0; i < cycleCount; i++) 
            {
                ReverseUsingArrayClass(testString);
            }
            stopwatch.Stop();
            Console.WriteLine("ReverseUsingArrayClass: " + stopwatch.ElapsedMilliseconds + "ms");
            stopwatch.Reset();
            stopwatch.Start();
            for (int i = 0; i < cycleCount; i++) 
            {
                ReverseUsingStringBuilder(testString);
            }
            stopwatch.Stop();
            Console.WriteLine("ReverseUsingStringBuilder: " + stopwatch.ElapsedMilliseconds + "ms");
            stopwatch.Reset();
            stopwatch.Start();
            for (int i = 0; i < cycleCount; i++) 
            {
                ReverseUsingStack(testString);
            }
            stopwatch.Stop();
            Console.WriteLine("ReverseUsingStack: " + stopwatch.ElapsedMilliseconds + "ms");
            stopwatch.Reset();
            stopwatch.Start();
            for (int i = 0; i < cycleCount; i++) 
            {
                ReverseUsingXOR(testString);
            }
            stopwatch.Stop();
            Console.WriteLine("ReverseUsingXOR: " + stopwatch.ElapsedMilliseconds + "ms");            
        }
    }
}
结果:
public string Reverse(string input)
{
    char[] output = new char[input.Length];
    int forwards = 0;
    int backwards = input.Length - 1;
    do
    {
        output[forwards] = input[backwards];
        output[backwards] = input[forwards];
    }while(++forwards <= --backwards);
    return new String(output);
}
public string DotNetReverse(string input)
{
    char[] toReverse = input.ToCharArray();
    Array.Reverse(toReverse);
    return new String(toReverse);
}
public string NaiveReverse(string input)
{
    char[] outputArray = new char[input.Length];
    for (int i = 0; i < input.Length; i++)
    {
        outputArray[i] = input[input.Length - 1 - i];
    }
    return new String(outputArray);
}    
public string RecursiveReverse(string input)
{
    return RecursiveReverseHelper(input, 0, input.Length - 1);
}
public string RecursiveReverseHelper(string input, int startIndex , int endIndex)
{
    if (startIndex == endIndex)
    {
        return "" + input[startIndex];
    }
    if (endIndex - startIndex == 1)
    {
        return "" + input[endIndex] + input[startIndex];
    }
    return input[endIndex] + RecursiveReverseHelper(input, startIndex + 1, endIndex - 1) + input[startIndex];
}
void Main()
{
    int[] sizes = new int[] { 10, 100, 1000, 10000 };
    for(int sizeIndex = 0; sizeIndex < sizes.Length; sizeIndex++)
    {
        string holaMundo  = "";
        for(int i = 0; i < sizes[sizeIndex]; i+= 5)
        {   
            holaMundo += "ABCDE";
        }
        string.Format("\n**** For size: {0} ****\n", sizes[sizeIndex]).Dump();
        string odnuMaloh = DotNetReverse(holaMundo);
        var stopWatch = Stopwatch.StartNew();
        string result = NaiveReverse(holaMundo);
        ("Naive Ticks: " + stopWatch.ElapsedTicks).Dump();
        stopWatch.Restart();
        result = Reverse(holaMundo);
        ("Efficient linear Ticks: " + stopWatch.ElapsedTicks).Dump();
        stopWatch.Restart();
        result = RecursiveReverse(holaMundo);
        ("Recursive Ticks: " + stopWatch.ElapsedTicks).Dump();
        stopWatch.Restart();
        result = DotNetReverse(holaMundo);
        ("DotNet Reverse Ticks: " + stopWatch.ElapsedTicks).Dump();
    }
}
输出
尺寸:10
Naive Ticks: 1
Efficient linear Ticks: 0
Recursive Ticks: 2
DotNet Reverse Ticks: 1
尺寸:100
Naive Ticks: 2
Efficient linear Ticks: 1
Recursive Ticks: 12
DotNet Reverse Ticks: 1
尺寸:1000
Naive Ticks: 5
Efficient linear Ticks: 2
Recursive Ticks: 358
DotNet Reverse Ticks: 9
尺寸:10000
Naive Ticks: 32
Efficient linear Ticks: 28
Recursive Ticks: 84808
DotNet Reverse Ticks: 33
我已经从Microsoft.VisualBasic.Strings制作了一个 C# 端口。我不知道为什么他们将这些有用的函数(来自 VB)保留在 Framework 中的 System.String 之外,但仍在 Microsoft.VisualBasic 下。财务职能的情况相同(例如Microsoft.VisualBasic.Financial.Pmt())。
public static string StrReverse(this string expression)
{
    if ((expression == null))
        return "";
    int srcIndex;
    var length = expression.Length;
    if (length == 0)
        return "";
    //CONSIDER: Get System.String to add a surrogate aware Reverse method
    //Detect if there are any graphemes that need special handling
    for (srcIndex = 0; srcIndex <= length - 1; srcIndex++)
    {
        var ch = expression[srcIndex];
        var uc = char.GetUnicodeCategory(ch);
        if (uc == UnicodeCategory.Surrogate || uc == UnicodeCategory.NonSpacingMark || uc == UnicodeCategory.SpacingCombiningMark || uc == UnicodeCategory.EnclosingMark)
        {
            //Need to use special handling
            return InternalStrReverse(expression, srcIndex, length);
        }
    }
    var chars = expression.ToCharArray();
    Array.Reverse(chars);
    return new string(chars);
}
///<remarks>This routine handles reversing Strings containing graphemes
/// GRAPHEME: a text element that is displayed as a single character</remarks>
private static string InternalStrReverse(string expression, int srcIndex, int length)
{
    //This code can only be hit one time
    var sb = new StringBuilder(length) { Length = length };
    var textEnum = StringInfo.GetTextElementEnumerator(expression, srcIndex);
    //Init enumerator position
    if (!textEnum.MoveNext())
    {
        return "";
    }
    var lastSrcIndex = 0;
    var destIndex = length - 1;
    //Copy up the first surrogate found
    while (lastSrcIndex < srcIndex)
    {
        sb[destIndex] = expression[lastSrcIndex];
        destIndex -= 1;
        lastSrcIndex += 1;
    }
    //Now iterate through the text elements and copy them to the reversed string
    var nextSrcIndex = textEnum.ElementIndex;
    while (destIndex >= 0)
    {
        srcIndex = nextSrcIndex;
        //Move to next element
        nextSrcIndex = (textEnum.MoveNext()) ? textEnum.ElementIndex : length;
        lastSrcIndex = nextSrcIndex - 1;
        while (lastSrcIndex >= srcIndex)
        {
            sb[destIndex] = expression[lastSrcIndex];
            destIndex -= 1;
            lastSrcIndex -= 1;
        }
    }
    return sb.ToString();
}
最简单的方法:
string reversed = new string(text.Reverse().ToArray());
| 归档时间: | 
 | 
| 查看次数: | 614246 次 | 
| 最近记录: |