将字符串转换为三个字母的缩写

本文关键字:缩写 三个字 字符串 转换 | 更新日期: 2023-09-27 18:29:03

我最近收到了一个新项目,将任何给定的字符串转换为1-3个字母的缩写。下面是一个类似于我必须生成的东西的例子,但给定的字符串可以是任何东西:

switch (string.Name)
        {
            case "Emotional, Social & Personal": return "ESP";
            case "Speech & Language": return "SL";
            case "Physical Development": return "PD";
            case "Understanding the World": return "UW";
            case "English": return "E";
            case "Expressive Art & Design": return "EAD";
            case "Science": return "S";
            case "Understanding The World And It's People"; return "UTW";
}

我想我可以用绳子。拆分&计算数组中的字数。然后添加处理特定长度字符串的条件,因为通常这些句子不会超过4个单词,但我会遇到问题。

  1. 如果字符串比我预期的要长,它就不会被处理
  2. 缩写中必须排除符号

对于我可以应用的逻辑,任何建议都将不胜感激。感谢

将字符串转换为三个字母的缩写

下面的内容应该适用于您给出的示例。

string abbreviation = new string(
    input.Split()
          .Where(s => s.Length > 0 && char.IsLetter(s[0]) && char.IsUpper(s[0]))
          .Take(3)
          .Select(s => s[0])
          .ToArray());

您可能需要根据预期输入调整过滤器。可能添加了一个要忽略的单词列表。

如果没关系,你可以选择最简单的事情。如果字符串短于4个单词,则取每个字符串的第一个字母。如果字符串长度超过4,则删除所有"ands"answers"ors",然后执行相同操作。

为了更好,你可以有一个你不在乎的单词的查找字典,比如"the"或"so"。

您也可以保留一个三维字符数组,按字母顺序快速查找。这样,你就不会有任何重复的缩写。

然而,只有有限数量的缩写。因此,最好将"无用"单词存储在另一个字符串中。这样,如果你的程序默认使用的缩写已经被使用,你可以使用无用的单词来制作一个新的缩写。

如果以上所有操作都失败了,您可以开始在字符串中线性移动,得到一个不同的3个字母的单词缩写——有点像DNA上的密码子。

使用字典的理想场所

           Dictionary<string, string> dict = new Dictionary<string, string>() {
                {"Emotional, Social & Personal", "ESP"},
                {"Speech & Language","SL"},
                {"Physical Development", "PD"}, 
                {"Understanding the World","UW"},
                {"English","E"},
                {"Expressive Art & Design","EAD"},
                {"Science","S"},
                {"Understanding The World And It's People","UTW"}
            };
            string results = dict["English"];​

以下片段可能会对您有所帮助:

string input = "Emotional, Social & Personal"; // an example from the question 
string plainText = CultureInfo.CurrentCulture.TextInfo.ToTitleCase(Regex.Replace(input, @"[^0-9A-Za-z ,]", "").ToLower()); // will produce a text without special charactors
string abbreviation = String.Join("",plainText.Split(" ".ToCharArray(),StringSplitOptions.RemoveEmptyEntries).Select(y =>y[0]).ToArray());// get first character from each word