将循环更改为Parallel.For循环

时间:2016-12-01 15:30:39

标签: c# .net for-loop parallel-processing parallel.for

我可以改变我的循环

for (int i = 0; i < something; i++)

为:

Parallel.For(0, something, i =>

但如何使用此循环执行此操作?:

for (i = 3; i <= something / 2; i = i + 2)

感谢您的回答。

3 个答案:

答案 0 :(得分:8)

for (int i = 3; i <= something / 2; i = i + 2)
{
    ...
}

可以改写成

for (int k = 1; k < (something + 2) / 4; ++k)
{
    int i = 1 + 2 * k;
    ...
}

你可以把

Parallel.For(1, (something + 2) / 4, k =>
{
    int i = 1 + 2 * k; 
    ... 
});

答案 1 :(得分:3)

第三个参数是delegate。因此,每次迭代都可以指定索引变量在委托中应该做什么。

编辑:确定找到了有效的解决方案: 正如Dmitry Bychenko已经建议的那样,你仍然应该从0开始,只需添加startValue作为偏移量

int something = 16;

int startValue = 3;
int stepSize = 2;

List<int> numbers = Enumerable.Range(0, 20).ToList();

Parallel.For(0, something / 2, i => 
{
    int ind = (stepSize * i) + startValue ; Console.WriteLine(numbers[ind]);
});

答案 2 :(得分:1)

Dmitry Bychenko 的答案得到了它,但您也可以使用自定义步骤实现自己的ParallelFor,这将使您的代码更具可读性:

static void ParallelFor(int start, int last, Func<int, int> step, Action<int> action)
{
    var enumerable = StepEnumerable<int>
        .Create(start, step)
        .TakeWhile(x => x < last);

    Parallel.ForEach(enumerable, action);
}

以下是StepEnumerable的实施:

public class StepEnumerator<T> : IEnumerator<T>
{
    ...

    public StepEnumerable(T value, Func<T, T> manipulation)
    {
        mEnumerator = new StepEnumerator<T>(value, manipulation);
    }

    public static StepEnumerable<T> Create(T value, Func<T, T> manipulation)
    {
        return new StepEnumerable<T>(value, manipulation);
    }

    ...
}

public class StepEnumerator<T> : IEnumerator<T>
{
    public bool MoveNext()
    {
        Current = mManipulation(Current);
        return true;
    }
}

然后,例如,如果您运行以下代码:

ParallelFor(3, 16, x => x + 2, Console.WriteLine);

您将获得以下输出(当然在单独的行中):

  

5,11,7,13,9,15