-
Notifications
You must be signed in to change notification settings - Fork 9
/
Copy pathWorkingSet.cs
185 lines (151 loc) · 7.5 KB
/
WorkingSet.cs
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
using Newtonsoft.Json.Linq;
using PalCalc.Model;
using PalCalc.Solver.PalReference;
using PalCalc.Solver.ResultPruning;
using Serilog;
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace PalCalc.Solver
{
internal class WorkingSet
{
private static ILogger logger = Log.ForContext<WorkingSet>();
public static PalProperty.GroupIdFn DefaultGroupFn = PalProperty.Combine(
PalProperty.Pal,
PalProperty.Gender,
PalProperty.EffectivePassives,
PalProperty.IvRelevance
);
private SolverStateController controller;
private PalPropertyGrouping content;
private ILazyCartesianProduct<IPalReference> remainingWork;
int maxThreads;
PalSpecifier target;
private List<IPalReference> discoveredResults = new List<IPalReference>();
public IEnumerable<IPalReference> Result => discoveredResults.Distinct().GroupBy(r => r.BreedingEffort).SelectMany(PruningFunc);
Func<IEnumerable<IPalReference>, IEnumerable<IPalReference>> PruningFunc;
public WorkingSet(PalSpecifier target, PruningRulesBuilder pruningRulesBuilder, IEnumerable<IPalReference> initialContent, int maxThreads, SolverStateController controller)
{
this.target = target;
this.controller = controller;
PruningFunc = pruningRulesBuilder.BuildAggregate(controller.CancellationToken).Apply;
content = new PalPropertyGrouping(DefaultGroupFn);
content.AddRange(initialContent);
discoveredResults.AddRange(content.All.Where(target.IsSatisfiedBy));
var initialList = initialContent.ToList();
remainingWork = new LazyCartesianProduct<IPalReference>(initialList, initialList);
if (maxThreads <= 0) maxThreads = Environment.ProcessorCount;
this.maxThreads = maxThreads;
}
public bool IsOptimal(IPalReference p)
{
var match = content[p]?.FirstOrDefault();
if (match == null) return true;
return match == null || p.BreedingEffort < match.BreedingEffort;
}
/// <summary>
/// Uses the provided `doWork` function to produce results for all remaining work to be done. The results
/// returned by `doWork` are merged with the current working set of results and the next set of work
/// is updated.
/// </summary>
/// <param name="doWork"></param>
/// <returns>Whether or not any changes were made by merging the current working set with the results of `doWork`.</returns>
public bool Process(Func<ILazyCartesianProduct<IPalReference>, IEnumerable<IPalReference>> doWork)
{
if (remainingWork.Count == 0) return false;
logger.Debug("beginning work processing");
var newResults = doWork(remainingWork).ToList();
// since we know the breeding effort of each potential instance, we can ignore new instances
// with higher effort than existing known instances
//
// (this is the main optimization that lets the solver complete in less than a week)
// `PruneCollection` is fairly heavy and single-threaded, perform pruning of multiple batches of the
// main set of references before pruning the final combined collection
discoveredResults.AddRange(
newResults
.TakeWhile(_ => !controller.CancellationToken.IsCancellationRequested)
.Tap(_ => controller.PauseIfRequested())
.Where(target.IsSatisfiedBy)
);
logger.Debug("performing pre-prune");
var pruned = PruneCollection(
newResults.BatchedForParallel()
.AsParallel()
.WithDegreeOfParallelism(maxThreads)
.SelectMany(batch => PruneCollection(batch).ToList())
.ToList()
);
logger.Debug("merging");
var changed = false;
var toAdd = new List<IPalReference>();
foreach (var newInstances in pruned.GroupBy(i => DefaultGroupFn(i)).Select(g => g.ToList()).ToList())
{
if (controller.CancellationToken.IsCancellationRequested) return changed;
controller.PauseIfRequested();
var refNewInst = newInstances.First();
// these are results to be used as output, don't bother adding them to working set / continue breeding those
if (refNewInst is BredPalReference && target.IsSatisfiedBy(refNewInst))
{
// (though if we're not at the passive limit and there are some optional passives
// we'd like, then we'll keep this in the pool)
if (
// at max passives
refNewInst.EffectivePassives.Count(t => t is not RandomPassiveSkill) == GameConstants.MaxTotalPassives ||
// there's nothing else we'd be interested in
!target.OptionalPassives.Except(refNewInst.EffectivePassives).Any()
) continue;
}
var existingInstances = content[refNewInst];
var refInst = existingInstances?.FirstOrDefault();
if (refInst != null)
{
var newSelection = PruningFunc(existingInstances.Concat(newInstances));
var added = newInstances.Intersect(newSelection);
var removed = existingInstances.Except(newSelection);
if (added.Any())
{
toAdd.AddRange(added);
changed = true;
}
if (removed.Any())
{
foreach (var r in removed.ToList())
content.Remove(r);
changed = true;
}
}
else
{
toAdd.AddRange(newInstances);
changed = true;
}
}
// (minor memory bandwidth improvement by minimizing how often we switch types of pals, hopefully
// keeps some pal-specific data like child pal + gender probabilities in CPU cache.)
toAdd = toAdd.OrderBy(p => p.Pal.Id).ToList();
remainingWork = new ConcatenatedLazyCartesianProduct<IPalReference>([
(content.All.OrderBy(p => p.Pal.Id).ToList(), toAdd),
(toAdd, toAdd)
]);
foreach (var ta in toAdd.TakeWhile(_ => !controller.CancellationToken.IsCancellationRequested))
{
controller.PauseIfRequested();
content.Add(ta);
}
return changed;
}
// gives a new, reduced collection which only includes the "most optimal" / lowest-effort
// reference for each instance spec (gender, passives, etc.)
private IEnumerable<IPalReference> PruneCollection(IEnumerable<IPalReference> refs) =>
refs
.TakeWhile(_ => !controller.CancellationToken.IsCancellationRequested)
.Tap(_ => controller.PauseIfRequested())
.GroupBy(pref => DefaultGroupFn(pref))
.SelectMany(g => PruningFunc(g.Distinct()));
}
}