gotnull
gotnull

Reputation: 27214

Replacing character after single quote

I am using the following C# code to modify a lowercase letter to uppercase after a single quote:

public virtual string FirstName
{
    get { return _firstName; }
    set
    {
        if (value != null)
        {
            int pos = value.IndexOf("'", 0);
            int strlength = value.Length - 1;
            if (pos >= 0 && pos != strlength)
            {
                string temp = value[pos + 1].ToString();
                temp = temp.ToUpper();
                value = value.Remove(pos + 1, 1);
                value = value.Insert(pos + 1, temp);
            }
        }
    }
}

To me this looks like overkill. Is there an easier way to achieve the desired result:

Value: Mc'donald
Expected: Mc'Donald

Upvotes: 2

Views: 346

Answers (3)

TLS
TLS

Reputation: 3150

Since you're open to Regex, would this overload of the Regex.Replace do what you need?

Regex.Replace Method (String, MatchEvaluator)

Here's a modified version of the example given at the link above. I've changed it to use the '\w pattern and to return the match in upper case.

using System;
using System.Text.RegularExpressions;

class RegExSample
{
static string CapText(Match m)
    {
        // Return the match in upper case
        return m.ToString().ToUpperInvariant();
    }

    static void Main()
    {
        string text = "Mc'donald";

        System.Console.WriteLine("text=[" + text + "]");

        Regex rx = new Regex(@"'\w");

        string result = rx.Replace(text, new MatchEvaluator(RegExSample.CapText));

        System.Console.WriteLine("result=[" + result + "]");
    }
}

Upvotes: 2

Antonio Bakula
Antonio Bakula

Reputation: 20693

here is without regex

  int pos = data.IndexOf("'");
  if (pos >= 0 && pos < data.Length - 1)
  {
    StringBuilder sbl = new StringBuilder(data);
    sbl[pos + 1] = char.ToUpper(sbl[pos + 1]);
    data = sbl.ToString();
  }

Upvotes: 2

Simon Whitehead
Simon Whitehead

Reputation: 65079

Perhaps regular expressions?

string value = "Mc'donald";
string found = Regex.Match(value, "'[\\w]").Value;
string result = value.Replace(found, found.ToUpper());

Console.WriteLine(result); // Mc'Donald

Upvotes: 1

Related Questions