3

クラブの総数に基づいて 4 つの部分に分割したいオブジェクト (クラブ) のリストを含むオブジェクト (地域) のリストがあります。

さまざまな数のクラブを含む x 地域のリストがあるとします。クラブの総数が 40 の場合、クラブの各グループには約 10 のクラブが必要です。

public class Club
{
    public string Name { get; set; }
    public int ID { get; set; }
}

public class Region
{
    public string Name { get; set; }
    public List<Club> Club { get; set; }
}
4

3 に答える 3

6

グループ化を使用できます (クラブの順序は保持されません)

 List<IEnumerable<Club>> groups = region.Club.Select((c,i) => new {c,i})
                                             .GroupBy(x => x.i % 4)
                                             .Select(g => g.Select(x => x.c))
                                             .ToList();

またはMoreLINQバッチ (クラブの順序を保持):

int batchSize = region.Club.Count / 4 + 1;
var groups = region.Club.Batch(batchSize);
于 2013-07-16T09:20:17.877 に答える
1

部分的にインデックスをサポートするカスタム拡張メソッドを使用します。基本的に、lazyberezovsky の回答でも同じことを行います。

public static class PartitionExtensions
{
    public static IEnumerable<IPartition<T>> ToPartition<T>(this IEnumerable<T> source, int partitionCount)
    {
        if (source == null)
        {
            throw new NullReferenceException("source");
        }

        return source.Select((item, index) => new { Value = item, Index = index })
                     .GroupBy(item => item.Index % partitionCount)
                     .Select(group => new Partition<T>(group.Key, group.Select(item => item.Value)));
    }
}

public interface IPartition<out T> : IEnumerable<T>
{
    int Index { get; }
}

public class Partition<T> : IPartition<T>
{
    private readonly IEnumerable<T> _values;

    public Partition(int index, IEnumerable<T> values)
    {
        Index = index;
        _values = values;
    }

    public int Index { get; private set; }

    public IEnumerator<T> GetEnumerator()
    {
        return _values.GetEnumerator();
    }

    IEnumerator IEnumerable.GetEnumerator()
    {
        return GetEnumerator();
    }
}

次のように使用できます。

var partitions = regionList.SelectMany(item => item.Club).ToPartition(4);
于 2013-07-16T09:25:53.383 に答える