java实现抢红包算法

这里简单介绍一下二倍均值法。
我们为了保证每个人抢到的红包都均匀分布在合适的区间内,故引入二倍均值法。我们发现每个人抢到的红包金额并不是随机分布在0.01~金额总数的区间内,而是分布在[0.01,红包余额/剩余人数*2)的左闭右开区间内,即二倍均值法。由于金额单位最小至分,所以我们不能随机产生任意浮点数,必须事先将金额扩大100倍,最后再除以100以精确到小数点后两位。
以下是java代码实现:

package RedPocket;

import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
import java.util.Random;

public class RedPocket {
	public static Integer amount;
	public static Integer people;
	public RedPocket(Integer amount,Integer people) {
		this.amount=amount;
		this.people=people;
	}
	public static List<Double> snatch(Integer redAmount,Integer restPeople){
		redAmount=amount*100;
		restPeople=people;
		List<Integer> amountList=new ArrayList<Integer> ();
		List<Double> list=new ArrayList<Double> ();
		Random random=new Random();
		for(int i=0;i<people-1;i++) {
			int money=random.nextInt((redAmount/restPeople)*2-1)+1;
			redAmount-=money;
			restPeople--;
			amountList.add(money);
		}
		amountList.add(redAmount);
		for(int j=0;j<amountList.size();j++) {
			list.add(amountList.get(j)/100.0);
		}
		return list;
	}
	public static void main(String[] args) {
		Integer amount=200;
		Integer people=22;
		Integer redAmount=0;
		Integer restPeople=0;
		RedPocket red=new RedPocket(amount,people);
		System.out.println("各人领取红包记录:");
		List list=red.snatch(redAmount=amount,restPeople=people);
		for(Iterator<Double> iter=list.iterator();iter.hasNext();)
			System.out.print(iter.next()+" ");
	}
}

运行结果如下所示:

各人领取红包记录:
5.29 12.81 2.58 5.31 3.24 7.86 9.14 12.36 15.8 0.35 14.81 3.86 15.06 18.98 13.86 14.65 9.23 13.08 9.96 4.63 4.66 2.48

你可能感兴趣的:(java)