如何将列表排序为2列或更多列

时间:2013-05-30 18:34:10

标签: c#

我正试图达到这个问题的相同结果:

I want to show list items as 2 or more columns (dynamic alignment)

除此之外,我不想要脚本或css黑客,我想重新排序数据,以便我可以使用“float:left;”

所以而不是像1,2,3,4,5,6,7,8,9,10

那样回来

对于两列,它将返回1,6,2,7,3,8,4,9,5,10

可能的?

2 个答案:

答案 0 :(得分:4)

这是使用Linq的一种方式:

var m = (int)Math.Ceiling(input.Count() / 2d); // two columns
var sorted = input.Select((x, i) => new { x, i })
                  .OrderBy(p => p.i % m)
                  .Select(p => p.x);

这可以很容易地推广到任意数量的列。如果需要,可以很容易地将其转换为扩展方法:

public static IEnumerable<T> Columns<T>(this IEnumerable<T> input, int cols)
{
    if (cols < 1)
    {
        throw new ArgumentOutOfRangeException(...);
    }

    var m = (int)Math.Ceiling(input.Count() / (double)cols);
    return input.Select((x, i) => new { x, i })
                .OrderBy(p => p.i % m)
                .Select(p => p.x);
}

// Usage
var input = new[] { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
var sorted = input.Columns(2); // { 1, 6, 2, 7, 3, 8, 4, 9, 5, 10 }

答案 1 :(得分:1)

这将足够容易地覆盖两列。

public static IEnumerable<T> UseTwoColumns<T>(List<T> list)
{
    int halfway = list.Count / 2;
    for (int i = 0; i < halfway; i++)
    {
        yield return list[i];
        yield return list[halfway + i];
    }
    if (list.Count % 2 != 0)
        yield return list[list.Count - 1];
}

如果你想将它概括为将列数作为参数传递它会更复杂:

public static IEnumerable<T> UseColumns<T>(List<T> list, int columns)
{
    int columnHeight = list.Count / columns;
    for (int i = 0; i < columnHeight + 1; i++)
    {
        for (int j = 0; j < columns; j++)
        {
            int index = i + columnHeight * j;
            if (index < list.Count)
                yield return list[index];
        }
    }
}