我使用Parallel.ForEach
工作一堆項目。問題是,我想根據打開的工作人員(插槽)的數量來確定哪些項目能夠工作的優先順序。例如。如果我在8個並行的東西上工作,並在任務1-4之間打開一個插槽,我希望將簡單的工作分配給這些插槽。插槽的下半部分將得到努力工作。通過這種方式,我不會把所有8個插槽都捆綁在一起進行艱苦/長時間運行的工作,易/快速的項目將首先運行。我實現了這個如下:使Parallel.ForEach等待工作,直到一個插槽打開
守則
const int workers = 8;
List<Thing> thingsToDo = ...; //Get the things that need to be done.
Thing[] currentlyWorkingThings = new Thing[workers]; //One slot for each worker.
void Run() {
Parallel.ForEach(PrioritizeThings(thingsToDo), o => {
int index = 0;
//"PrioritizeTasks" added this thing to the list of currentlyWorkingThings.
//Find my position in this list.
lock (currentlyWorkingThings)
index = currentlyWorkingThings.IndexOf(o);
//Do work on this thing...
//Then remove it from the list of currently working things, thereby
// opening a new slot when this worker returns/finishes.
lock (currentlyWorkingThings)
currentlyWorkingThings[index] = null;
});
}
IEnumerable<Thing> PrioritizeThings(List<Thing> thingsToDo) {
int slots = workers;
int halfSlots = (int)Math.Ceiling(slots/2f);
//Sort thingsToDo by their difficulty, easiest first.
//Loop until we've worked every Thing.
while (thingsToDo.Count > 0) {
int slotToFill = ...; //Find the first open slot.
Thing nextThing = null;
lock (currentlyWorkingThings) {
//If the slot is in the "top half", get the next easy thing - otherwise
// get the next hard thing.
if (slotToFill < halfSlots)
nextThing = thingsToDo.First();
else
nextThing = thingsToDo.Last();
//Add the nextThing to the list of currentlyWorkingThings and remove it from
// the list of thingsToDo.
currentlyWorkingThings[slotToFill] = nextThing;
thingsToDo.Remove(nextThing);
}
//Return the nextThing to work.
yield return nextThing;
}
}
的問題
所以我看到這裏的問題是,Parallel
請求,接下來的事情去努力從PrioritizeThings
開始插槽(在現有物品完成之前)。我認爲Parallel
正在展望未來,並提前準備好工作。我希望它不要這樣做,並且只在完成完成後才填寫工人/插槽。我想要解決這個問題的唯一方法是在PrioritizeThings
中添加一個睡眠/等待循環,在它看到一個合法的開放時隙之前,它不會返回一個工作。但我不喜歡這樣,我希望有一些方法可以使Parallel
等待更長時間才能開始工作。有什麼建議麼?
你可以保留8(加1待定)的東西正在努力。如果你的複雜任務少於4個,那麼給它一個複雜的任務,否則給它一個簡單的任務。你會有一個不平衡的時間最長,直到最簡單的任務完成。 – Jesse
@Jesse我認爲這是我必須要做的。只給「並行」的8個項目開始工作,然後把它放在一邊看,直到所有項目已經在8個項目塊(或無論那裏有多少工人)中工作。不知道這是你的建議,但這是我在閱讀你的評論時想到的。 –
(大聲思考)我不能做我剛纔建議的事情,因爲直到當前所有項目的8個完成後,新項目纔會有效。衛生署! @Jesse - 如果你想澄清你的意思,我會很感激。 –