ReverseString, a C# interview-question

前端 未结 12 1834
予麋鹿
予麋鹿 2021-01-31 06:15

I had an interview question that asked me for my \'feedback\' on a piece of code a junior programmer wrote. They hinted there may be a problem and said it will be used heavily o

相关标签:
12条回答
  • 2021-01-31 06:55

    You should use the StringBuilder class to create your resulting string. A string is immutable so when you append a string in each interation of the loop, a new string has to be created, which isn't very efficient.

    0 讨论(0)
  • 2021-01-31 07:04

    This method cuts the number of iterations in half. Rather than starting from the end, it starts from the beginning and swaps characters until it hits center. Had to convert the string to a char array because the indexer on a string has no setter.

        public string Reverse(String value)
        {
            if (String.IsNullOrEmpty(value)) throw new ArgumentNullException("value");
    
            char[] array = value.ToCharArray();
    
            for (int i = 0; i < value.Length / 2; i++)
            {
                char temp = array[i];
                array[i] = array[(array.Length - 1) - i];
                array[(array.Length - 1) - i] = temp;
            }
    
            return new string(array);
        }
    
    0 讨论(0)
  • 2021-01-31 07:05

    You can do this in .NET 3.5 instead:

        public static string Reverse(this string s)
        {
            return new String((s.ToCharArray().Reverse()).ToArray());
        }
    
    0 讨论(0)
  • 2021-01-31 07:06

    Necromancing.
    As a public service, this is how you actually CORRECTLY reverse a string
    (reversing a string is NOT equal to reversing a sequence of chars)

    public static class Test
    {
    
        private static System.Collections.Generic.List<string> GraphemeClusters(string s)
        {
            System.Collections.Generic.List<string> ls = new System.Collections.Generic.List<string>();
    
            System.Globalization.TextElementEnumerator enumerator = System.Globalization.StringInfo.GetTextElementEnumerator(s);
            while (enumerator.MoveNext())
            {
                ls.Add((string)enumerator.Current);
            }
    
            return ls;
        }
    
    
        // this 
        private static string ReverseGraphemeClusters(string s)
        {
            if(string.IsNullOrEmpty(s) || s.Length == 1)
                 return s;
    
            System.Collections.Generic.List<string> ls = GraphemeClusters(s);
            ls.Reverse();
    
            return string.Join("", ls.ToArray());
        }
    
        public static void TestMe()
        {
            string s = "Les Mise\u0301rables";
            // s = "noël";
            string r = ReverseGraphemeClusters(s);
    
            // This would be wrong:
            // char[] a = s.ToCharArray();
            // System.Array.Reverse(a);
            // string r = new string(a);
    
            System.Console.WriteLine(r);
        }
    }
    

    See: https://vimeo.com/7403673

    By the way, in Golang, the correct way is this:

    package main
    
    import (
      "unicode"
      "regexp"
    )
    
    func main() {
        str := "\u0308" + "a\u0308" + "o\u0308" + "u\u0308"
        println("u\u0308" + "o\u0308" + "a\u0308" + "\u0308" == ReverseGrapheme(str))
        println("u\u0308" + "o\u0308" + "a\u0308" + "\u0308" == ReverseGrapheme2(str))
    }
    
    func ReverseGrapheme(str string) string {
    
      buf := []rune("")
      checked := false
      index := 0
      ret := "" 
    
        for _, c := range str {
    
            if !unicode.Is(unicode.M, c) {
    
                if len(buf) > 0 {
                    ret = string(buf) + ret
                }
    
                buf = buf[:0]
                buf = append(buf, c)
    
                if checked == false {
                    checked = true
                }
    
            } else if checked == false {
                ret = string(append([]rune(""), c)) + ret
            } else {
                buf = append(buf, c)
            }
    
            index += 1
        }
    
        return string(buf) + ret
    }
    
    func ReverseGrapheme2(str string) string {
        re := regexp.MustCompile("\\PM\\pM*|.")
        slice := re.FindAllString(str, -1)
        length := len(slice)
        ret := ""
    
        for i := 0; i < length; i += 1 {
            ret += slice[length-1-i]
        }
    
        return ret
    }
    

    And the incorrect way is this (ToCharArray.Reverse):

    func Reverse(s string) string {
        runes := []rune(s)
        for i, j := 0, len(runes)-1; i < j; i, j = i+1, j-1 {
            runes[i], runes[j] = runes[j], runes[i]
        }
        return string(runes)
    }
    

    Note that you need to know the difference between
    - a character and a glyph
    - a byte (8 bit) and a codepoint/rune (32 bit)
    - a codepoint and a GraphemeCluster [32+ bit] (aka Grapheme/Glyph)

    Reference:

    Character is an overloaded term than can mean many things.

    A code point is the atomic unit of information. Text is a sequence of code points. Each code point is a number which is given meaning by the Unicode standard.

    A grapheme is a sequence of one or more code points that are displayed as a single, graphical unit that a reader recognizes as a single element of the writing system. For example, both a and ä are graphemes, but they may consist of multiple code points (e.g. ä may be two code points, one for the base character a followed by one for the diaresis; but there's also an alternative, legacy, single code point representing this grapheme). Some code points are never part of any grapheme (e.g. the zero-width non-joiner, or directional overrides).

    A glyph is an image, usually stored in a font (which is a collection of glyphs), used to represent graphemes or parts thereof. Fonts may compose multiple glyphs into a single representation, for example, if the above ä is a single code point, a font may chose to render that as two separate, spatially overlaid glyphs. For OTF, the font's GSUB and GPOS tables contain substitution and positioning information to make this work. A font may contain multiple alternative glyphs for the same grapheme, too.

    0 讨论(0)
  • 2021-01-31 07:07

    Better way to tackle it would be to use a StringBuilder, since it is not immutable you won't get the terrible object generation behavior that you would get above. In .net all strings are immutable, which means that the += operator there will create a new object each time it is hit. StringBuilder uses an internal buffer, so the reversal could be done in the buffer w/ no extra object allocations.

    0 讨论(0)
  • 2021-01-31 07:08

    I prefer something like this:

    using System;
    using System.Text;
    namespace SpringTest3
    {
        static class Extentions
        {
            static private StringBuilder ReverseStringImpl(string s, int pos, StringBuilder sb)
            {
                return (s.Length <= --pos || pos < 0) ? sb : ReverseStringImpl(s, pos, sb.Append(s[pos]));
            }
    
            static public string Reverse(this string s)
            {
                return ReverseStringImpl(s, s.Length, new StringBuilder()).ToString();
            }
        }
    
        class Program
        {
            static void Main(string[] args)
            {
                Console.WriteLine("abc".Reverse());
            }
        }
    }
    
    0 讨论(0)
提交回复
热议问题