-
Notifications
You must be signed in to change notification settings - Fork 2
Expand file tree
/
Copy pathBillSplitter.cs
More file actions
346 lines (300 loc) · 14.1 KB
/
BillSplitter.cs
File metadata and controls
346 lines (300 loc) · 14.1 KB
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
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
using System.Diagnostics;
using MultiCreditorDebtList = System.Collections.Generic.List<(Austin.DkpLib.SplitPerson debtor, System.Collections.Generic.List<(Austin.DkpLib.SplitPerson creditor, double amount)> debts)>;
namespace Austin.DkpLib
{
public class BillSplitter
{
class Debt
{
public SplitPerson Debtor { get; }
public double Amount { get; }
public Debt(SplitPerson debtor, double amount)
{
Debtor = debtor;
Amount = amount;
}
}
/// <summary>
/// The maximum deviation from a rounded penny amount a sum is allowed to be.
/// </summary>
/// <remarks>
/// The database stores all debts as an integer number of pennies. However during splitting a bill
/// fractional penny debts can occure, such as when splitting an item worth an odd number of pennies between
/// two people. Durring bill splits the algorithm uses this value as the maximum deviation a summ of all
/// debts can be from an integer value, as a check some fractions of a penny have not been lost during rounding.
/// </remarks>
const double PENNY_THRESHOLD = 0.01;
readonly string mName;
readonly DateTime mDate;
readonly SplitPerson[] mPayer;
readonly List<Debt> mParty;
readonly SortedSet<SplitPerson> mFreeLoaders;
readonly SortedSet<SplitPerson> mFremontBirthday;
public BillSplitter(string name, params SplitPerson[] payer)
: this(name, DateTime.UtcNow, payer)
{
}
public BillSplitter(string name, DateTime date, params SplitPerson[] payer)
{
if (payer == null)
throw new ArgumentNullException(nameof(payer));
if (payer.Length < 1)
throw new ArgumentOutOfRangeException(nameof(payer), "Need at least one payer.");
mName = name;
mDate = date;
mPayer = (SplitPerson[])payer.Clone();
mParty = new List<Debt>();
mFreeLoaders = new SortedSet<SplitPerson>();
mFremontBirthday = new SortedSet<SplitPerson>();
}
public double this[SplitPerson person]
{
get
{
var trans = mParty.Where(kvp => kvp.Debtor.Equals(person)).ToList();
if (trans.Count == 0)
throw new ArgumentException($"'{person}' is has no transactions in this billsplit.");
return trans.Sum(p => p.Amount);
}
set
{
mParty.Add(new Debt(person, value));
}
}
public int Tax { get; set; }
public int Tip { get; set; }
public int SharedFood { get; set; }
public int Discount { get; set; }
public int SubTotal
{
get
{
return Convert.ToInt32(mParty.Sum(p => p.Amount)) + SharedFood;
}
}
public void AddFreeLoader(SplitPerson p)
{
bool added = mFreeLoaders.Add(p);
Debug.Assert(added);
}
public void AddFremontBirthday(SplitPerson p)
{
bool added = mFremontBirthday.Add(p);
Debug.Assert(added);
}
public IEnumerable<SplitTransaction> ToTransactions()
{
return ToTransactions(TextWriter.Null);
}
/// <summary>
/// Generate transactions without persisting to a database.
/// </summary>
public IEnumerable<SplitTransaction> ToTransactions(TextWriter log)
{
var debts = SplitBill(log);
log.WriteLine();
foreach (var (debtor, creditor, pennies) in debts)
{
yield return new SplitTransaction()
{
Id = Guid.NewGuid(),
CreditorId = creditor.Id,
DebtorId = debtor.Id,
Amount = pennies,
};
}
}
public Task Save(IBillSplitterServices services)
{
return Save(services, TextWriter.Null);
}
public async Task Save(IBillSplitterServices services, TextWriter log)
{
var result = new BillSplitResult(mName, mDate, ToTransactions(log).ToList());
await services.SaveBillSplitResult(result);
}
private void ValidateBill()
{
if (mParty.Count == 0)
throw new Exception("Must have one or more people in that party.");
foreach (var kvp in mParty)
{
if (kvp.Amount < 0)
throw new NotSupportedException(kvp.Debtor.ToString() + " spent a negitive amount of money.");
}
if (Tax < 0 || Tip < 0 || SharedFood < 0 || Discount < 0)
throw new NotSupportedException("Negative bill attribute.");
}
public List<(SplitPerson debtor, SplitPerson creditor, Money pennies)> SplitBill(TextWriter log)
{
ValidateBill();
var pool = mParty.Sum(p => p.Amount) + SharedFood;
var totalBillValue = pool + Tip + Tax - Discount;
if (totalBillValue <= 0)
throw new Exception("Zero or negative total bill value.");
if (Math.Abs(totalBillValue - Math.Round(totalBillValue)) > PENNY_THRESHOLD)
throw new Exception("Non-int number of pennies.");
log.WriteLine($"name: {this.mName}");
log.WriteLine($"date: {this.mDate}");
log.WriteLine($"payer(s): {string.Join(", ", mPayer.Select(p => p.FullName))}");
log.WriteLine($"pool: {pool / 100:c}");
log.WriteLine($"totalBillValue: {totalBillValue / 100:c}");
log.WriteLine();
var amountSpent = new List<Debt>();
log.WriteLine("First add up each person's share of the bill, splitting shared food items equally:");
foreach (var p in mParty)
{
log.WriteLine($"\t{p.Debtor.FullName}:");
double personSubtotal = SharedFood;
personSubtotal /= mParty.Count;
log.WriteLine($"\t\tpersonal food: {p.Amount / 100}");
log.WriteLine($"\t\tshared food share: {personSubtotal / 100}");
personSubtotal += p.Amount;
var ratio = personSubtotal / pool;
log.WriteLine($"\t\ttax, tip, and discounts share: %{ratio * 100}");
var taxTipShare = ratio * (Tax + Tip - Discount);
log.WriteLine($"\t\ttax, tip, and discounts share: {taxTipShare / 100}");
var total = personSubtotal + taxTipShare;
amountSpent.Add(new Debt(p.Debtor, total));
log.WriteLine($"\t\ttotal raw share {total / 100}");
}
checkTotal(totalBillValue, amountSpent.Select(tup => tup.Amount).Sum());
log.WriteLine();
//Apply Fremont-style birthday redistrobution
var birthdayPeople = amountSpent.Where(p => mFremontBirthday.Contains(p.Debtor)).ToList();
if (birthdayPeople.Count != 0)
{
log.WriteLine("Applying Fremont-style birthday logic.");
//first zero the birthpeople's debts
amountSpent = amountSpent
.Select(tup => new Debt(tup.Debtor, mFremontBirthday.Contains(tup.Debtor) ? 0 : tup.Amount))
.ToList();
//Then redistribute
foreach (var birthdayPerson in birthdayPeople)
{
var amount = birthdayPerson.Amount / (amountSpent.Count - 1);
log.WriteLine($"\t{birthdayPerson.Debtor}'s birthday happiness cost each other person {amount / 100}.");
amountSpent = amountSpent
.Select(tup => new Debt(tup.Debtor, tup.Amount + (tup.Debtor == birthdayPerson.Debtor ? 0 : amount)))
.ToList();
}
checkTotal(totalBillValue, amountSpent.Sum(p => p.Amount));
log.WriteLine();
}
//Take each freeloader and evenly split their meal across all the non-freeloaders
var freeloadersFound = amountSpent.Where(p => mFreeLoaders.Contains(p.Debtor)).ToList();
var nonFreeLoaderCount = amountSpent.Count - freeloadersFound.Count;
if (freeloadersFound.Count != 0)
{
var freeloaderSum = freeloadersFound.Select(p => p.Amount).Sum();
log.WriteLine($"{freeloadersFound.Count} freeloaders found, owing a total of {freeloaderSum / 100}:");
foreach (var freeloader in freeloadersFound)
{
log.WriteLine($"\t{freeloader.Debtor.FullName}: {freeloader.Amount / 100}");
}
var extraPerPerson = freeloaderSum / nonFreeLoaderCount;
log.WriteLine($"adding {extraPerPerson / 100} to each non-freeloader's debts");
amountSpent = amountSpent
.Where(p => !mFreeLoaders.Contains(p.Debtor))
.Select(p => new Debt(p.Debtor, p.Amount + freeloaderSum / nonFreeLoaderCount))
.ToList();
foreach (var p in freeloadersFound)
{
amountSpent.Add(new Debt(p.Debtor, 0d));
}
checkTotal(totalBillValue, amountSpent.Sum(p => p.Amount));
log.WriteLine();
}
//Evenly split each person's debt to each payer.
var debtsToPayers = SplitDebtsBetweenPayers(amountSpent, log);
checkTotal(totalBillValue, debtsToPayers.SelectMany(p => p.debts).Sum(p => p.amount));
//Take all the fractional pennies and distribute them to each debtor, round robin to each payer.
var pennySplits = SplitPennies(debtsToPayers, log);
checkTotal(totalBillValue, pennySplits.Sum(p => p.pennies.ToPennies()));
log.WriteLine();
log.WriteLine("Final bill split:");
foreach (var p in pennySplits)
{
if (p.pennies < Money.Zero)
throw new Exception("Negative debt.");
log.WriteLine($"\t{p.debtor.FullName} owes {p.creditor.FullName} {p.pennies}");
}
return pennySplits;
}
static void checkTotal(double initalSum, double currentSum)
{
if (Math.Abs(currentSum - Math.Round(currentSum)) > PENNY_THRESHOLD)
throw new Exception("Non-int number of pennies.");
if (Math.Abs(initalSum - currentSum) > 0.1)
throw new Exception("Something terrible has happened.");
}
MultiCreditorDebtList SplitDebtsBetweenPayers(List<Debt> amountSpent, TextWriter logger)
{
Console.WriteLine("Splitting debts between payers:");
var ret = new MultiCreditorDebtList();
foreach (var p in amountSpent)
{
logger.WriteLine($"\t{p.Debtor.FullName} owes the following people money:");
var creditors = new List<(SplitPerson creditor, double amount)>();
foreach (var payer in mPayer)
{
var amount = p.Amount / mPayer.Length;
creditors.Add((payer, amount));
logger.WriteLine($"\t\t{amount / 100} to {payer.FullName}");
}
ret.Add((p.Debtor, creditors));
}
return ret;
}
/// <summary>
/// Round splits to the nearest penny.
/// </summary>
/// <param name="amountSpent"></param>
/// <returns>Item1 owes Item2 Item3 pennies</returns>
/// <remarks>
/// Over the course of splitting a bill people can end up owing a fractional number of pennies.
/// This method rounds peoples debts to the nearest penny, while preserving the invariant that
/// the total amount owed in this group of debts does not change.
/// </remarks>
List<(SplitPerson debtor, SplitPerson creditor, Money pennies)> SplitPennies(MultiCreditorDebtList amountSpent, TextWriter logger)
{
var pennies = amountSpent
.Select(tup => new
{
Debtor = tup.debtor,
Debts = tup.debts.Select(debt => (creditor: debt.creditor, amount: (int)Math.Floor(debt.amount))).ToList(),
PennyFraction = tup.debts.Select(debt => debt.amount - Math.Floor(debt.amount)).Sum()
})
.OrderByDescending(p => p.PennyFraction)
.ToList();
var tempDoublePennyCount = pennies.Sum(p => p.PennyFraction);
if (Math.Abs(tempDoublePennyCount - Math.Round(tempDoublePennyCount)) > PENNY_THRESHOLD)
throw new Exception("Non-int number of pennies.");
var totalPennies = (int)Math.Round(tempDoublePennyCount);
if (totalPennies < 0)
throw new Exception("Negitive number of pennies.");
if (totalPennies != 0)
{
logger.WriteLine();
logger.WriteLine("Debts hard fractional pennies, so the fractional amount will be redistributed in a round-robbin fashion until no more fractional pennies remain:");
}
int payerNdx = 0;
while (totalPennies != 0)
{
foreach (var d in pennies)
{
if (totalPennies == 0)
break;
if (mFreeLoaders.Contains(d.Debtor))
continue;
var ndx = payerNdx++ % d.Debts.Count;
var (creditor, amount) = d.Debts[ndx];
d.Debts[ndx] = (creditor, amount + 1);
totalPennies--;
logger.WriteLine($"\t{d.Debtor.FullName} owes {creditor.FullName} an extra penny");
}
}
return pennies.SelectMany(p => p.Debts.Select(d => (p.Debtor, d.creditor, new Money(d.amount)))).ToList();
}
}
}