1. 以指定条件为周期的列表枚举, 遍历一个列表
cs
/// <summary>
/// 以指定条件为周期的列表枚举, 遍历一个列表<br/>
/// 2025-4-1 Ciaran
/// </summary>
public static IEnumerable<List<TSource>> PeriodBy<TSource>(this IEnumerable<TSource> source, Func<TSource, bool> checkNext)
{
// 2023-1-3 Ciaran 读取以 指定数量为一个周期, 处理对应数量内的列表
using (var enumerator = source.GetEnumerator())
{
while (true)
{
List<TSource> list = new List<TSource>();
while (enumerator.MoveNext())
{
var value = enumerator.Current;
if (checkNext(value) && list.Count > 0)
{
yield return list;
list = new List<TSource>();
}
list.Add(value);
}
if (list.Count == 0)
{
yield break;
}
yield return list;
}
}
}
1.1 PeriodBy 测试代码
csharp
[TestClass]
public class MsgTest
{
[TestMethod]
public void test1()
{
int char_count = 0;
int MAX_CONTENT_LEN = 10;
bool CheckNext(string x)
{
if (char_count + x.Length > MAX_CONTENT_LEN)
{
char_count = x.Length;
return true;
}
char_count += x.Length;
return false;
}
var msgs = new List<string>
{
"AAAAAAAAAAA","BB","CCC","DD","EEEEE","FF","GGGGG","HH","IIIII"
};
var new_msgs = new List<string>();
foreach (var msgs1 in msgs.PeriodBy(CheckNext))
{
var sb = new StringBuilder();
foreach (var m1 in msgs1)
{
sb.Append(m1);
}
new_msgs.Add(sb.ToString());
}
/*
* 0|AAAAAAAAAAA
* 1|BBCCCDD
* 2|EEEEEFF
* 3|GGGGGHH
* 4|IIIII
*/
}
}
2、以指定数量为长度周期的列表枚举, 遍历一个列表
cs
/// <summary>
/// 以指定数量为长度周期的列表枚举, 遍历一个列表<br/>
/// 2023-1-3 Ciaran
/// </summary>
public static IEnumerable<List<TSource>> Period<TSource>(this IEnumerable<TSource> source, int count)
{
if (count <= 0)
{
throw new ArgumentOutOfRangeException(nameof(count));
}
// 2023-1-3 Ciaran 读取以 指定数量为一个周期, 处理对应数量内的列表
using (var enumerator = source.GetEnumerator())
{
while (true)
{
List<TSource> list = new List<TSource>(count);
for (int i = 0; i < count; i++)
{
if (enumerator.MoveNext())
{
list.Add(enumerator.Current);
}
else
{
break;
}
}
if (list.Count == 0)
{
yield break;
}
yield return list;
}
}
}