1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63
| static double GetPercentValue(int[] arr, int idx, int precision) { if ((arr.Length - 1) < idx) { return 0; } //求和 double sum = 0; for (int i = 0; i < arr.Length; i++) { sum += arr[i]; } //10的2次幂是100,用于计算精度。 double digits = Math.Pow(10, precision); //扩大比例100 double[] votesPerQuota = new double[arr.Length]; for (int i = 0; i < arr.Length; i++) { double val = arr[i] / sum * digits * 100; votesPerQuota[i] = val; } //总数,扩大比例意味的总数要扩大 double targetSeats = digits * 100; //再向下取值,组成数组 double[] seats = new double[arr.Length]; for (int i = 0; i < votesPerQuota.Length; i++) { seats[i] = Math.Floor(votesPerQuota[i]); } //再新计算合计,用于判断与总数量是否相同,相同则占比会100% double currentSum = 0; for (int i = 0; i < seats.Length; i++) { currentSum += seats[i]; } //余数部分的数组:原先数组减去向下取值的数组,得到余数部分的数组 double[] remainder = new double[arr.Length]; for (int i = 0; i < seats.Length; i++) { remainder[i] = votesPerQuota[i] - seats[i]; } while (currentSum < targetSeats) { double max = 0; int maxId = 0; for (int i = 0; i < remainder.Length; ++i) { if (remainder[i] > max) { max = remainder[i]; maxId = i; } } //对最大项余额加1 ++seats[maxId]; //已经增加最大余数加1,则下次判断就可以不需要再判断这个余额数。 remainder[maxId] = 0; //总的也要加1,为了判断是否总数是否相同,跳出循环。 ++currentSum; } // 这时候的seats就会总数占比会100% return seats[idx] / digits; }
|