从数组获取相同长度的多个字符串

时间:2019-12-02 22:32:17

标签: c# arrays string line

我需要从字符串的行数组中取出最长的一行,如果有的话,则取多行,并将其连同它的位置一起写到控制台中,我设法找到了最长的一行,但是我找不到多行字符串。有人可以帮忙吗? (抱歉,这很难理解)。

1 个答案:

答案 0 :(得分:1)

执行此操作的一种方法是将最长的行及其索引存储在字典中。从一个临时变量开始以保持最长的行,然后遍历数组。当我们找到等长的行时,请将其添加到字典中。如果发现更长的行,请将字典设置为新的字典,仅添加该行,然后继续。

例如:

public static void PrintLongestLinesAndIndexes(string[] input)
{
    if (input == null)
    {
        Console.WriteLine("No data");
        return;
    }

    var longestLine = string.Empty;
    var longestLines = new Dictionary<int, string>();

    for (int i = 0; i < input.Length; i++)
    {
        // If this line is longer, reset our variables
        if (input[i].Length > longestLine.Length)
        {
            longestLine = input[i];
            longestLines = new Dictionary<int, string> {{i, input[i]}};
        }
        // If it's the same length, add it to our dictionary
        else if (input[i].Length == longestLine.Length)
        {
            longestLines.Add(i, input[i]);
        }
    }

    foreach (var line in longestLines)
    {
        Console.WriteLine($"'{line.Value}' was found at index: {line.Key}");
    }
}

然后我们可以像这样使用它:

public static void Main(string[] args)
{
    PrintLongestLinesAndIndexes(new[]
    {
        "one", "two", "three", "four", "five",
        "six", "seven", "eight", "nine", "ten"
    });

    GetKeyFromUser("\nDone! Press any key to exit...");
}

输出

enter image description here


执行此操作的另一种方法是使用Linq选择项目及其索引,将它们按项目的长度分组,然后按长度排序并选择第一组:

public static void PrintLongestLinesAndIndexes(string[] input)
{
    Console.WriteLine(string.Join(Environment.NewLine,
        input.Select((item, index) => new {item, index})
            .GroupBy(i => i.item.Length)
            .OrderByDescending(i => i.Key)
            .First()
            .Select(line => $"'{line.item}' was found at index: {line.index}")));
}