之前已经提出了类似的问题,但没有回答我可以使用它的方式。
我有3个,4个,5个和6个小组,每个小组应该有50%的男孩和50%的女孩。用户确定每组的数量以及男孩和女孩的数量。
例如:12个女孩,15个男孩,1 * 3,2 * 4,2 * 5和1 * 6组。
我已经有了一个Random
的例子。我如何能够将随机选择的男孩/女孩平等地分配到小组中?
随机的男孩和4人组:
//for each group of 4
for (int i = 0; i < tischgruppenVierer; i++)
{
//only do this two times because 50% boys
for (int j = 0; j < 4/2; j++)
{
var picked = namesBoys[random.Next(0, namesBoys.Count())];
namesBoys.Remove(picked); //no duplicates
picked = new TischVier().student;
}
}
和班级TischVier
:
public class TischVier
{
public string student;
}
我希望这对你来说是足够的代码,因为我为每个小组编写了硬编码。 我很欣赏每一个想法,因为我接近绝望。
我会把它包含在包含你的2个列表(男孩和女孩)的课程中,并附带一个方法来获得一组指定大小。在伪代码中,这种方法是:
在实际代码中,它看起来像:
public IEnumerable<string> GetGroup(int size)
{
Shuffle(boys);
Shuffle(girls);
if((boys.Count + girls.Count) < size)
{
throw new ArgumentException("Not enough people to satisfy group");
}
bool isBoy = rng.NextDouble() > 0.5;
for(var i = 0;i<size;i++)
{
string next = "";
if(isBoy)
{
yield return PopBoy();
}
else
{
yield return PopGirl();
}
isBoy = !isBoy;
}
}
要完成所有工作,您需要检查所需组的两个列表中是否有足够的容量(请参阅上面引发的异常)。
有一个额外的复杂性;也许男孩或女孩的名单已经筋疲力尽。如果是这种情况,你应该弹出另一个。
private string PopBoy()
{
if(boys.Count>0)
{
var name = boys[0];
boys.RemoveAt(0);
return name;
}
else
{
return PopGirl();
}
}
private string PopGirl()
{
if(girls.Count>0)
{
var name = girls[0];
girls.RemoveAt(0);
return name;
}
else
{
return PopBoy();
}
}
完整的代码可以在这里找到:https://rextester.com/DKYCMN49734
有关详细信息,请参阅代码中的注释:
//setup
//hold the group sizes we want to make - you say your user chose this
int[] groupSizes = new[] {3, 4, 4, 5, 5, 6};
//you have lists of people from somewhere
List<Person> boys = new List<Person>();
for(int i = 0; i < 15; i++)
boys.Add(new Person());
List<Person> girls = new List<Person>();
for(int i = 0; i < 12; i++)
girls.Add(new Person());
//logic of random grouping
List<List<Person>> groups = new List<List<Person>>();
Random r = new Random();
bool takeBoy = false;
//for each groupsize we make
foreach(int g in groupSizes){
List<Person> group = new List<Person>(); //new group
for(int i = 0; i < g; i++){ //take people, up to group size
//take boys and girls alternately
takeBoy = !takeBoy;
var fr = takeBoy ? boys : girls;
//if there are no more boys/girls, take other gender instead
if(fr.Count == 0)
fr = takeBoy ? girls : boys;
//choose a person at random, less than list length
var ri = r.Next(fr.Count);
//add to the current grouping
group.Add(fr[ri]);
//remove from consideration
fr.RemoveAt(ri);
}
//group is made, store in the groups list
groups.Add(group);
}
并演示小提琴:https://dotnetfiddle.net/KS7HFb使用“总是以男孩为先”的逻辑
另一个演示小提琴:https://dotnetfiddle.net/68YFYf使用“全球替代男孩/女孩采取”逻辑