ExtensionMethod.NET Home of 876 C#, Visual Basic, F# and Javascript extension methods

InnerTruncate

Truncates the given string by stripping out the center and replacing it with an elipsis so that the beginning and end of the string are retained. For example, "This string has too many characters for its own good."InnerTruncate(32) yields "This string has...its own good."

Source

public static string InnerTruncate(this string value, 
     int maxLength)
{
    // If there is no need to truncate then
    // return what we were given.
    if (string.IsNullOrEmpty(value) 
            || value.Length <= maxLength)
    {
        return value;
    } // end if

     // Figure out how many characters would be in 
     // each  half if we were to have
     // exactly the same length string on either side 
     // of the elipsis.
     int charsInEachHalf = (maxLength - 3) / 2;

     // Get the string to the right of the elipsis 
     // and then trim the beginning.  There is no
     // need to have a space immediately following 
     // the elipsis.
     string right = value.Substring(
         value.Length - charsInEachHalf, charsInEachHalf)
         .TrimStart();

      // Get the string to the left of the elipsis.
      // We don't use "charsInEachHalf " here
      // because we may be able to take more characters
      // than that if "right" was trimmed.
      string left = value.Substring(
          0, (maxLength - 3) - right.Length)
          .TrimEnd();

       // Concatenate and return the result.
       return string.Format("{0}...{1}", left, right);
} // end InnerTruncate

Example

string sentence = "Truncate the really long string.";

var truncated = sentence.InnerTruncate(10);

Assert.AreEqual("Truncate...string.", truncated);

Author: Partial Method

Submitted on: 22 sep 2009

Language: C#

Type: System.String

Views: 4444