Parallel.For 메서드

정의

반복이 병렬로 실행될 수 있는 for 루프를 실행합니다.

오버로드

For(Int32, Int32, Action<Int32,ParallelLoopState>)

반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For(Int32, Int32, Action<Int32>)

반복이 병렬로 실행될 수 있는 for 루프를 실행합니다.

For(Int64, Int64, Action<Int64,ParallelLoopState>)

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For(Int64, Int64, Action<Int64>)

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있는 for 루프를 실행합니다.

For(Int32, Int32, ParallelOptions, Action<Int32,ParallelLoopState>)

반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 작업을 루프를 실행합니다.

For(Int32, Int32, ParallelOptions, Action<Int32>)

반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있는 for 루프를 실행합니다.

For(Int64, Int64, ParallelOptions, Action<Int64,ParallelLoopState>)

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For(Int64, Int64, ParallelOptions, Action<Int64>)

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있는 for 루프를 실행합니다.

For<TLocal>(Int32, Int32, Func<TLocal>, Func<Int32,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For<TLocal>(Int64, Int64, Func<TLocal>, Func<Int64,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

64비트 인덱스와 스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For<TLocal>(Int32, Int32, ParallelOptions, Func<TLocal>, Func<Int32,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For<TLocal>(Int64, Int64, ParallelOptions, Func<TLocal>, Func<Int64,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

64비트 인덱스와 스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

For(Int32, Int32, Action<Int32,ParallelLoopState>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, Action<int, System::Threading::Tasks::ParallelLoopState ^> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (int fromInclusive, int toExclusive, Action<int,System.Threading.Tasks.ParallelLoopState> body);
static member For : int * int * Action<int, System.Threading.Tasks.ParallelLoopState> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Integer, toExclusive As Integer, body As Action(Of Integer, ParallelLoopState)) As ParallelLoopResult

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

body
Action<Int32,ParallelLoopState>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

예제

다음 예제에서는 루프를 최대 100회 병렬로 실행합니다. 각 반복은 1~1,000밀리초의 임의 간격으로 일시 중지됩니다. 임의로 생성된 값은 메서드가 호출되는 루프의 반복을 ParallelLoopState.Break 결정합니다. 예제의 출력에서와 같이 인덱스가 속성 값보다 ParallelLoopState.LowestBreakIteration 큰 반복은 메서드 호출 ParallelLoopState.Break 후에 시작되지 않습니다.

using System;
using System.Threading;
using System.Threading.Tasks;

public class Example
{
    public static void Main()
    {
        var rnd = new Random();
        int breakIndex = rnd.Next(1, 11);

        Console.WriteLine($"Will call Break at iteration {breakIndex}\n");

        var result = Parallel.For(1, 101, (i, state) => 
        {
            Console.WriteLine($"Beginning iteration {i}");
            int delay;
            lock (rnd)
                delay = rnd.Next(1, 1001);
            Thread.Sleep(delay);

            if (state.ShouldExitCurrentIteration)
            {
                if (state.LowestBreakIteration < i)
                    return;
            }

            if (i == breakIndex)
            {
                Console.WriteLine($"Break in iteration {i}");
                state.Break();
            }

            Console.WriteLine($"Completed iteration {i}");
        });

        if (result.LowestBreakIteration.HasValue)
            Console.WriteLine($"\nLowest Break Iteration: {result.LowestBreakIteration}");
        else
            Console.WriteLine($"\nNo lowest break iteration.");
    }
}
// The example displays output like the following:
//       Will call Break at iteration 8
//
//       Beginning iteration 1
//       Beginning iteration 13
//       Beginning iteration 97
//       Beginning iteration 25
//       Beginning iteration 49
//       Beginning iteration 37
//       Beginning iteration 85
//       Beginning iteration 73
//       Beginning iteration 61
//       Completed iteration 85
//       Beginning iteration 86
//       Completed iteration 61
//       Beginning iteration 62
//       Completed iteration 86
//       Beginning iteration 87
//       Completed iteration 37
//       Beginning iteration 38
//       Completed iteration 38
//       Beginning iteration 39
//       Completed iteration 25
//       Beginning iteration 26
//       Completed iteration 26
//       Beginning iteration 27
//       Completed iteration 73
//       Beginning iteration 74
//       Completed iteration 62
//       Beginning iteration 63
//       Completed iteration 39
//       Beginning iteration 40
//       Completed iteration 40
//       Beginning iteration 41
//       Completed iteration 13
//       Beginning iteration 14
//       Completed iteration 1
//       Beginning iteration 2
//       Completed iteration 97
//       Beginning iteration 98
//       Completed iteration 49
//       Beginning iteration 50
//       Completed iteration 87
//       Completed iteration 27
//       Beginning iteration 28
//       Completed iteration 50
//       Beginning iteration 51
//       Beginning iteration 88
//       Completed iteration 14
//       Beginning iteration 15
//       Completed iteration 15
//       Completed iteration 2
//       Beginning iteration 3
//       Beginning iteration 16
//       Completed iteration 63
//       Beginning iteration 64
//       Completed iteration 74
//       Beginning iteration 75
//       Completed iteration 41
//       Beginning iteration 42
//       Completed iteration 28
//       Beginning iteration 29
//       Completed iteration 29
//       Beginning iteration 30
//       Completed iteration 98
//       Beginning iteration 99
//       Completed iteration 64
//       Beginning iteration 65
//       Completed iteration 42
//       Beginning iteration 43
//       Completed iteration 88
//       Beginning iteration 89
//       Completed iteration 51
//       Beginning iteration 52
//       Completed iteration 16
//       Beginning iteration 17
//       Completed iteration 43
//       Beginning iteration 44
//       Completed iteration 44
//       Beginning iteration 45
//       Completed iteration 99
//       Beginning iteration 4
//       Completed iteration 3
//       Beginning iteration 8
//       Completed iteration 4
//       Beginning iteration 5
//       Completed iteration 52
//       Beginning iteration 53
//       Completed iteration 75
//       Beginning iteration 76
//       Completed iteration 76
//       Beginning iteration 77
//       Completed iteration 65
//       Beginning iteration 66
//       Completed iteration 5
//       Beginning iteration 6
//       Completed iteration 89
//       Beginning iteration 90
//       Completed iteration 30
//       Beginning iteration 31
//       Break in iteration 8
//       Completed iteration 8
//       Completed iteration 6
//       Beginning iteration 7
//       Completed iteration 7
//
//       Lowest Break Iteration: 8
Imports System.Threading
Imports System.Threading.Tasks

Module Example
   Public Sub Main()
      Dim rnd As New Random()
      Dim breakIndex As Integer = rnd.Next(1, 11)
      Dim lowest As New Nullable(Of Long)()

      Console.WriteLine("Will call Break at iteration {0}", breakIndex)
      Console.WriteLine()

      Dim result = Parallel.For(1, 101, Sub(i, state)
                                            Console.WriteLine("Beginning iteration {0}", i)
                                            Dim delay As Integer
                                            Monitor.Enter(rnd)
                                               delay = rnd.Next(1, 1001)
                                            Monitor.Exit(rnd)
                                            Thread.Sleep(delay)

                                            If state.ShouldExitCurrentIteration Then
                                               If state.LowestBreakIteration < i Then
                                                  Return
                                               End If
                                            End If

                                            If i = breakIndex Then
                                               Console.WriteLine("Break in iteration {0}", i)
                                               state.Break()
                                               If state.LowestBreakIteration.HasValue Then
                                                  If lowest < state.LowestBreakIteration Then
                                                     lowest = state.LowestBreakIteration
                                                  Else
                                                     lowest = state.LowestBreakIteration
                                                  End If
                                               End If
                                            End If

                                            Console.WriteLine("Completed iteration {0}", i)
                                       End Sub )
         Console.WriteLine()
         If lowest.HasValue Then
            Console.WriteLine("Lowest Break Iteration: {0}", lowest)
         Else
            Console.WriteLine("No lowest break iteration.")
         End If
   End Sub
End Module
' The example displays output like the following:
'       Will call Break at iteration 8
'
'       Beginning iteration 1
'       Beginning iteration 13
'       Beginning iteration 97
'       Beginning iteration 25
'       Beginning iteration 49
'       Beginning iteration 37
'       Beginning iteration 85
'       Beginning iteration 73
'       Beginning iteration 61
'       Completed iteration 85
'       Beginning iteration 86
'       Completed iteration 61
'       Beginning iteration 62
'       Completed iteration 86
'       Beginning iteration 87
'       Completed iteration 37
'       Beginning iteration 38
'       Completed iteration 38
'       Beginning iteration 39
'       Completed iteration 25
'       Beginning iteration 26
'       Completed iteration 26
'       Beginning iteration 27
'       Completed iteration 73
'       Beginning iteration 74
'       Completed iteration 62
'       Beginning iteration 63
'       Completed iteration 39
'       Beginning iteration 40
'       Completed iteration 40
'       Beginning iteration 41
'       Completed iteration 13
'       Beginning iteration 14
'       Completed iteration 1
'       Beginning iteration 2
'       Completed iteration 97
'       Beginning iteration 98
'       Completed iteration 49
'       Beginning iteration 50
'       Completed iteration 87
'       Completed iteration 27
'       Beginning iteration 28
'       Completed iteration 50
'       Beginning iteration 51
'       Beginning iteration 88
'       Completed iteration 14
'       Beginning iteration 15
'       Completed iteration 15
'       Completed iteration 2
'       Beginning iteration 3
'       Beginning iteration 16
'       Completed iteration 63
'       Beginning iteration 64
'       Completed iteration 74
'       Beginning iteration 75
'       Completed iteration 41
'       Beginning iteration 42
'       Completed iteration 28
'       Beginning iteration 29
'       Completed iteration 29
'       Beginning iteration 30
'       Completed iteration 98
'       Beginning iteration 99
'       Completed iteration 64
'       Beginning iteration 65
'       Completed iteration 42
'       Beginning iteration 43
'       Completed iteration 88
'       Beginning iteration 89
'       Completed iteration 51
'       Beginning iteration 52
'       Completed iteration 16
'       Beginning iteration 17
'       Completed iteration 43
'       Beginning iteration 44
'       Completed iteration 44
'       Beginning iteration 45
'       Completed iteration 99
'       Beginning iteration 4
'       Completed iteration 3
'       Beginning iteration 8
'       Completed iteration 4
'       Beginning iteration 5
'       Completed iteration 52
'       Beginning iteration 53
'       Completed iteration 75
'       Beginning iteration 76
'       Completed iteration 76
'       Beginning iteration 77
'       Completed iteration 65
'       Beginning iteration 66
'       Completed iteration 5
'       Beginning iteration 6
'       Completed iteration 89
'       Beginning iteration 90
'       Completed iteration 30
'       Beginning iteration 31
'       Break in iteration 8
'       Completed iteration 8
'       Completed iteration 6
'       Beginning iteration 7
'       Completed iteration 7
'
'       Lowest Break Iteration: 8

루프의 반복은 메서드가 호출될 때 ParallelLoopState.Break 실행될 가능성이 높기 때문에 각 반복은 속성을 호출 ParallelLoopState.ShouldExitCurrentIteration 하여 다른 반복이 메서드를 호출 ParallelLoopState.Break 했는지 여부를 검사. 속성 값이 이면 반복은 true속성의 ParallelLoopState.LowestBreakIteration 값을 확인하고 현재 반복의 인덱스 값보다 크면 즉시 를 반환합니다.

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 다음 두 인수와 함께 제공됩니다.

  • Int32 반복 횟수를 나타내는 값입니다.

  • 루프를 ParallelLoopState 조기에 중단하는 데 사용할 수 있는 instance. 개체는 ParallelLoopState 컴파일러에 의해 만들어지며 사용자 코드에서 인스턴스화할 수 없습니다.

메서드를 Break 호출하면 for 현재 이후의 반복을 실행할 필요가 없다는 것을 작업에 알릴 수 있습니다. 그러나 현재 반복 이전의 모든 반복은 아직 실행되지 않은 경우 실행해야 합니다.

따라서 호출 Break 은 C#와 같은 언어에서 기존 for 루프 내에서 중단 작업을 사용하는 것과 비슷하지만 완벽한 대체 방법은 아닙니다. 예를 들어 현재 루프 이후의 반복이 확실히 실행되지 않을 것이라는 보장은 없습니다.

현재 반복 전에 모든 반복을 실행할 필요가 없는 경우 를 사용하는 대신 메서드를 Stop 사용합니다 Break. 를 호출 Stop 하면 필요한 모든 작업이 이미 완료되었으므로 현재 반복 전후에 관계없이 나머지 모든 반복이 중단될 수 있음을 루프에 알릴 for 수 있습니다. 그러나 와 Break마찬가지로 다른 반복이 실행되지 않을 것이라는 보장은 없습니다.

루프가 조기 ParallelLoopResult 에 종료되면 반환되는 구조체에 루프 완료에 대한 관련 정보가 포함됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int32, Int32, Action<Int32>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

반복이 병렬로 실행될 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, Action<int> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (int fromInclusive, int toExclusive, Action<int> body);
static member For : int * int * Action<int> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Integer, toExclusive As Integer, body As Action(Of Integer)) As ParallelLoopResult

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

body
Action<Int32>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

예제

다음 예제에서는 임의의 바이트 값을 생성하고 해당 합계를 계산하는 대리자의 100개 호출에 메서드를 사용합니다 For .

using System;
using System.Threading.Tasks;

public class Example
{
   public static void Main()
   {
      ParallelLoopResult result = Parallel.For(0, 100, ctr => { Random rnd = new Random(ctr * 100000);
                                                                Byte[] bytes = new Byte[100];
                                                                rnd.NextBytes(bytes);
                                                                int sum = 0;
                                                                foreach(var byt in bytes)
                                                                    sum += byt;
                                                                Console.WriteLine("Iteration {0,2}: {1:N0}", ctr, sum);
                                                              });
      Console.WriteLine("Result: {0}", result.IsCompleted ? "Completed Normally" : 
                                                             String.Format("Completed to {0}", result.LowestBreakIteration));
   }
}
// The following is a portion of the output displayed by the example:
//       Iteration  0: 12,509
//       Iteration 50: 12,823
//       Iteration 51: 11,275
//       Iteration 52: 12,531
//       Iteration  1: 13,007
//       Iteration 53: 13,799
//       Iteration  4: 12,945
//       Iteration  2: 13,246
//       Iteration 54: 13,008
//       Iteration 55: 12,727
//       Iteration 56: 13,223
//       Iteration 57: 13,717
//       Iteration  5: 12,679
//       Iteration  3: 12,455
//       Iteration 58: 12,669
//       Iteration 59: 11,882
//       Iteration  6: 13,167
//       ...
//       Iteration 92: 12,275
//       Iteration 93: 13,282
//       Iteration 94: 12,745
//       Iteration 95: 11,957
//       Iteration 96: 12,455
//       Result: Completed Normally
Imports System.Threading.Tasks

Module Example
   Public Sub Main()
      Dim result As ParallelLoopResult = Parallel.For(0, 100, Sub(ctr)
                                                                 Dim rnd As New Random(ctr * 100000)
                                                                 Dim bytes(99) As Byte
                                                                 rnd.NextBytes(bytes)
                                                                 Dim sum As Integer
                                                                 For Each byt In bytes
                                                                    sum += byt
                                                                 Next
                                                                 Console.WriteLine("Iteration {0,2}: {1:N0}", ctr, sum)
                                                              End Sub)
      Console.WriteLine("Result: {0}", If(result.IsCompleted, "Completed Normally", 
                                                             String.Format("Completed to {0}", result.LowestBreakIteration)))
   End Sub
End Module
' The following is a portion of the output displayed by the example:
'       Iteration  0: 12,509
'       Iteration 50: 12,823
'       Iteration 51: 11,275
'       Iteration 52: 12,531
'       Iteration  1: 13,007
'       Iteration 53: 13,799
'       Iteration  4: 12,945
'       Iteration  2: 13,246
'       Iteration 54: 13,008
'       Iteration 55: 12,727
'       Iteration 56: 13,223
'       Iteration 57: 13,717
'       Iteration  5: 12,679
'       Iteration  3: 12,455
'       Iteration 58: 12,669
'       Iteration 59: 11,882
'       Iteration  6: 13,167
'       ...
'       Iteration 92: 12,275
'       Iteration 93: 13,282
'       Iteration 94: 12,745
'       Iteration 95: 11,957
'       Iteration 96: 12,455
'       Result: Completed Normally

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int32)와 함께 매개 변수로 제공됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int64, Int64, Action<Int64,ParallelLoopState>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, Action<long, System::Threading::Tasks::ParallelLoopState ^> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (long fromInclusive, long toExclusive, Action<long,System.Threading.Tasks.ParallelLoopState> body);
static member For : int64 * int64 * Action<int64, System.Threading.Tasks.ParallelLoopState> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Long, toExclusive As Long, body As Action(Of Long, ParallelLoopState)) As ParallelLoopResult

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

body
Action<Int64,ParallelLoopState>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프의 부분에 대한 정보가 포함된 ParallelLoopResult 구조체입니다.

예외

body 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int64) 및 ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 매개 변수와 함께 제공됩니다.

메서드를 Break 호출하면 for 현재 이후의 반복은 실행될 필요가 없지만 현재 반복 전에 모든 반복이 수행된다는 것을 작업에 알릴 수 있습니다.

따라서 Break를 호출하는 것은 C#와 같은 언어에서 기존 for 루프 내에서 중단 작업을 사용하는 것과 유사하지만 완벽한 대체 방법은 아닙니다. 예를 들어 현재 루프 이후의 반복이 확실히 실행되지 않을 것이라는 보장은 없습니다.

현재 반복 전에 모든 반복을 실행할 필요가 없는 경우 를 사용하는 대신 메서드를 Stop 사용합니다 Break. 를 호출 Stop 하면 필요한 모든 작업이 이미 완료되었으므로 현재 반복 전후에 관계없이 나머지 모든 반복이 중단될 수 있음을 루프에 알릴 for 수 있습니다. 그러나 와 Break마찬가지로 다른 반복이 실행되지 않을 것이라는 보장은 없습니다.

루프가 조기 ParallelLoopResult 에 종료되면 반환되는 구조체에 루프 완료에 대한 관련 정보가 포함됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 를 반환합니다.

추가 정보

적용 대상

For(Int64, Int64, Action<Int64>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, Action<long> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (long fromInclusive, long toExclusive, Action<long> body);
static member For : int64 * int64 * Action<int64> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Long, toExclusive As Long, body As Action(Of Long)) As ParallelLoopResult

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

body
Action<Int64>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int64)와 함께 매개 변수로 제공됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int32, Int32, ParallelOptions, Action<Int32,ParallelLoopState>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 작업을 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Action<int, System::Threading::Tasks::ParallelLoopState ^> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Action<int,System.Threading.Tasks.ParallelLoopState> body);
static member For : int * int * System.Threading.Tasks.ParallelOptions * Action<int, System.Threading.Tasks.ParallelLoopState> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Integer, toExclusive As Integer, parallelOptions As ParallelOptions, body As Action(Of Integer, ParallelLoopState)) As ParallelLoopResult

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

body
Action<Int32,ParallelLoopState>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

parallelOptions 인수의 CancellationToken이 취소된 경우

body 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

설명

body 대리자는 반복 범위의 각 값에 대해 한 번 호출됩니다(fromInclusive, toExclusive). 반복 횟수(Int32) 및 ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 매개 변수와 함께 제공됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int32, Int32, ParallelOptions, Action<Int32>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Action<int> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Action<int> body);
static member For : int * int * System.Threading.Tasks.ParallelOptions * Action<int> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Integer, toExclusive As Integer, parallelOptions As ParallelOptions, body As Action(Of Integer)) As ParallelLoopResult

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

body
Action<Int32>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

parallelOptions 인수의 CancellationToken이 취소된 경우

body 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

예제

다음 예제에서는 병렬 루프를 취소하는 방법을 보여줍니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;

class ParallelForCancellation
{
    // Demonstrated features:
    //		CancellationTokenSource
    // 		Parallel.For()
    //		ParallelOptions
    //		ParallelLoopResult
    // Expected results:
    // 		An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
    //		The order of execution of the iterations is undefined.
    //		The iteration when i=2 cancels the loop.
    //		Some iterations may bail out or not start at all; because they are temporally executed in unpredictable order, 
    //          it is impossible to say which will start/complete and which won't.
    //		At the end, an OperationCancelledException is surfaced.
    // Documentation:
    //		http://msdn.microsoft.com/library/system.threading.cancellationtokensource(VS.100).aspx
    static void CancelDemo()
    {
        CancellationTokenSource cancellationSource = new CancellationTokenSource();
        ParallelOptions options = new ParallelOptions();
        options.CancellationToken = cancellationSource.Token;

        try
        {
            ParallelLoopResult loopResult = Parallel.For(
                    0,
                    10,
                    options,
                    (i, loopState) =>
                    {
                        Console.WriteLine("Start Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i);

                        // Simulate a cancellation of the loop when i=2
                        if (i == 2)
                        {
                            cancellationSource.Cancel();
                        }

                        // Simulates a long execution
                        for (int j = 0; j < 10; j++)
                        {
                            Thread.Sleep(1 * 200);

                            // check to see whether or not to continue
                            if (loopState.ShouldExitCurrentIteration) return;
                        }

                        Console.WriteLine("Finish Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i);
                    }
                );

            if (loopResult.IsCompleted)
            {
                Console.WriteLine("All iterations completed successfully. THIS WAS NOT EXPECTED.");
            }
        }
        // No exception is expected in this example, but if one is still thrown from a task,
        // it will be wrapped in AggregateException and propagated to the main thread.
        catch (AggregateException e)
        {
            Console.WriteLine("Parallel.For has thrown an AggregateException. THIS WAS NOT EXPECTED.\n{0}", e);
        }
        // Catching the cancellation exception
        catch (OperationCanceledException e)
        {
            Console.WriteLine("An iteration has triggered a cancellation. THIS WAS EXPECTED.\n{0}", e.ToString());
        }
        finally
        {
           cancellationSource.Dispose();
        }
    }
}
Imports System.Threading
Imports System.Threading.Tasks

Module LoopCancellation
    ' Demonstrated features:
    '   CancellationTokenSource
    '   Parallel.For()
    '   ParallelOptions
    '   ParallelLoopResult
    ' Expected results:
    '   An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
    '   The order of execution of the iterations is undefined.
    '   The iteration when i=2 cancels the loop.
    '   Some iterations may bail out or not start at all; because they are temporally executed in unpredictable order, 
    '      it is impossible to say which will start/complete and which won't.
    '   At the end, an OperationCancelledException is surfaced.
    ' Documentation:
    '   http://msdn.microsoft.com/library/system.threading.cancellationtokensource(VS.100).aspx
    Private Sub Main()
        Dim cancellationSource As New CancellationTokenSource()
        Dim options As New ParallelOptions()
        options.CancellationToken = cancellationSource.Token

        Try
            Dim loopResult As ParallelLoopResult = _
                Parallel.For(0, 10, options, Sub(i, loopState)
                                                 Console.WriteLine("Start Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i)

                                                 ' Simulate a cancellation of the loop when i=2
                                                 If i = 2 Then
                                                     cancellationSource.Cancel()
                                                 End If

                                                 ' Simulates a long execution
                                                 For j As Integer = 0 To 9
                                                     Thread.Sleep(1 * 200)

                                                     ' check to see whether or not to continue
                                                     If loopState.ShouldExitCurrentIteration Then
                                                         Exit Sub
                                                     End If
                                                 Next

                                                 Console.WriteLine("Finish Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i)
                                             End Sub)

            If loopResult.IsCompleted Then
                Console.WriteLine("All iterations completed successfully. THIS WAS NOT EXPECTED.")
            End If
        Catch e As AggregateException
            ' No exception is expected in this example, but if one is still thrown from a task,
            ' it will be wrapped in AggregateException and propagated to the main thread.
            Console.WriteLine("An action has thrown an AggregateException. THIS WAS NOT EXPECTED." & vbLf & "{0}", e)
        Catch e As OperationCanceledException
            ' Catching the cancellation exception
            Console.WriteLine("An iteration has triggered a cancellation. THIS WAS EXPECTED." & vbLf & "{0}", e)
        Finally
            cancellationSource.Dispose()
        End Try
    End Sub
End Module

설명

body 대리자는 반복 범위의 각 값에 대해 한 번 호출됩니다(fromInclusive, toExclusive). 반복 횟수(Int32)를 매개 변수로 제공합니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int64, Int64, ParallelOptions, Action<Int64,ParallelLoopState>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Action<long, System::Threading::Tasks::ParallelLoopState ^> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Action<long,System.Threading.Tasks.ParallelLoopState> body);
static member For : int64 * int64 * System.Threading.Tasks.ParallelOptions * Action<int64, System.Threading.Tasks.ParallelLoopState> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Long, toExclusive As Long, parallelOptions As ParallelOptions, body As Action(Of Long, ParallelLoopState)) As ParallelLoopResult

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

body
Action<Int64,ParallelLoopState>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

parallelOptions 인수의 CancellationToken이 취소된 경우

body 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

예제

다음 예제에서는 사용 하는 방법을 보여 주는 메서드를 사용 하 여 Parallel.For 개체:ParallelOptions

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;

class ParallelOptionsDemo
{
    // Demonstrated features:
    // 		Parallel.For()
    //		ParallelOptions
    // Expected results:
    // 		An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
    //		The order of execution of the iterations is undefined.
    //		Verify that no more than two threads have been used for the iterations.
    // Documentation:
    //		http://msdn.microsoft.com/library/system.threading.tasks.parallel.for(VS.100).aspx
    static void Main()
    {
        ParallelOptions options = new ParallelOptions();
        options.MaxDegreeOfParallelism = 2; // -1 is for unlimited. 1 is for sequential.

        try
        {
            Parallel.For(
                    0,
                    9,
                    options,
                    (i) =>
                    {
                        Console.WriteLine("Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i);
                    }
                );
        }
        // No exception is expected in this example, but if one is still thrown from a task,
        // it will be wrapped in AggregateException and propagated to the main thread.
        catch (AggregateException e)
        {
            Console.WriteLine("Parallel.For has thrown the following (unexpected) exception:\n{0}", e);
        }
    }
}
Imports System.Threading
Imports System.Threading.Tasks


Module ParallelForDemo

    ' Demonstrated features:
    '   Parallel.For()
    '   ParallelOptions
    ' Expected results:
    '   An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
    '   The order of execution of the iterations is undefined.
    '   Verify that no more than two threads have been used for the iterations.
    ' Documentation:
    '   http://msdn.microsoft.com/library/system.threading.tasks.parallel.for(VS.100).aspx
    Sub Main()
        Dim options As New ParallelOptions()
        options.MaxDegreeOfParallelism = 2 ' -1 is for unlimited. 1 is for sequential.
        Try
            Parallel.For(0, 9, options, Sub(i)
                                            Console.WriteLine("Thread={0}, i={1}", Thread.CurrentThread.ManagedThreadId, i)

                                        End Sub)
        Catch e As AggregateException
            ' No exception is expected in this example, but if one is still thrown from a task,
            ' it will be wrapped in AggregateException and propagated to the main thread.
            Console.WriteLine("Parallel.For has thrown the following (unexpected) exception:" & vbLf & "{0}", e)
        End Try
    End Sub

End Module

설명

body 대리자는 반복 범위의 각 값에 대해 한 번 호출됩니다(fromInclusive, toExclusive). 반복 횟수(Int64) 및 ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 매개 변수와 함께 제공됩니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For(Int64, Int64, ParallelOptions, Action<Int64>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있는 for 루프를 실행합니다.

public:
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Action<long> ^ body);
public static System.Threading.Tasks.ParallelLoopResult For (long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Action<long> body);
static member For : int64 * int64 * System.Threading.Tasks.ParallelOptions * Action<int64> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For (fromInclusive As Long, toExclusive As Long, parallelOptions As ParallelOptions, body As Action(Of Long)) As ParallelLoopResult

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

body
Action<Int64>

반복당 한 번씩 호출되는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

parallelOptions 인수의 CancellationToken이 취소된 경우

body 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

예제

다음 예제에서는 를 사용하여 ParallelOptions 사용자 지정 작업 스케줄러를 지정하는 방법을 보여줍니다.

using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;

class ParallelSchedulerDemo2
{
        // Demonstrated features:
        //		TaskScheduler
        //      BlockingCollection
        // 		Parallel.For()
        //		ParallelOptions
        // Expected results:
        // 		An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
        //		The TwoThreadTaskScheduler employs 2 threads on which iterations may be executed in a random order.
        //		Thus a scheduler thread may execute multiple iterations.
        // Documentation:
        //		http://msdn.microsoft.com/library/system.threading.tasks.taskscheduler(VS.100).aspx
        //		http://msdn.microsoft.com/library/dd997413(VS.100).aspx
        // More information:
        //		http://blogs.msdn.com/pfxteam/archive/2009/09/22/9898090.aspx
        static void Main()
        {
            ParallelOptions options = new ParallelOptions();

            // Construct and associate a custom task scheduler
            options.TaskScheduler = new TwoThreadTaskScheduler();

            try
            {
                Parallel.For(
                        0,
                        10,
                        options,
                        (i, localState) =>
                        {
                            Console.WriteLine("i={0}, Task={1}, Thread={2}", i, Task.CurrentId, Thread.CurrentThread.ManagedThreadId);
                        }
                    );
            }
            // No exception is expected in this example, but if one is still thrown from a task,
            // it will be wrapped in AggregateException and propagated to the main thread.
            catch (AggregateException e)
            {
                Console.WriteLine("An iteration has thrown an exception. THIS WAS NOT EXPECTED.\n{0}", e);
            }
        }

        // This scheduler schedules all tasks on (at most) two threads
        sealed class TwoThreadTaskScheduler : TaskScheduler, IDisposable
        {
            // The runtime decides how many tasks to create for the given set of iterations, loop options, and scheduler's max concurrency level.
            // Tasks will be queued in this collection
            private BlockingCollection<Task> _tasks = new BlockingCollection<Task>();

            // Maintain an array of threads. (Feel free to bump up _n.)
            private readonly int _n = 2;
            private Thread[] _threads;

            public TwoThreadTaskScheduler()
            {
                _threads = new Thread[_n];

                // Create unstarted threads based on the same inline delegate
                for (int i = 0; i < _n; i++)
                {
                    _threads[i] = new Thread(() =>
                    {
                        // The following loop blocks until items become available in the blocking collection.
                        // Then one thread is unblocked to consume that item.
                        foreach (var task in _tasks.GetConsumingEnumerable())
                        {
                            TryExecuteTask(task);
                        }
                    });

                    // Start each thread
                    _threads[i].IsBackground = true;
                    _threads[i].Start();
                }
            }

            // This method is invoked by the runtime to schedule a task
            protected override void QueueTask(Task task)
            {
                _tasks.Add(task);
            }

            // The runtime will probe if a task can be executed in the current thread.
            // By returning false, we direct all tasks to be queued up.
            protected override bool TryExecuteTaskInline(Task task, bool taskWasPreviouslyQueued)
            {
                return false;
            }

            public override int MaximumConcurrencyLevel { get { return _n; } }

            protected override IEnumerable<Task> GetScheduledTasks()
            {
                return _tasks.ToArray();
            }

            // Dispose is not thread-safe with other members.
            // It may only be used when no more tasks will be queued
            // to the scheduler.  This implementation will block
            // until all previously queued tasks have completed.
            public void Dispose()
            {
                if (_threads != null)
                {
                    _tasks.CompleteAdding();

                    for (int i = 0; i < _n; i++)
                    {
                        _threads[i].Join();
                        _threads[i] = null;
                    }
                    _threads = null;
                    _tasks.Dispose();
                    _tasks = null;
                }
            }
    }
}
Imports System.Collections.Concurrent
Imports System.Threading
Imports System.Threading.Tasks

Module SchedulerDemo
    ' Demonstrated features:
    '   TaskScheduler
    '   BlockingCollection
    '   Parallel.For()
    '   ParallelOptions
    ' Expected results:
    '   An iteration for each argument value (0, 1, 2, 3, 4, 5, 6, 7, 8, 9) is executed.
    '   The TwoThreadTaskScheduler employs 2 threads on which iterations may be executed in a random order.
    '   A task is internally created for each thread of the task scheduler (plus an aditional internal task).
    '	Thus a scheduler thread may execute multiple iterations.
    ' Documentation:
    '   http://msdn.microsoft.com/library/system.threading.tasks.taskscheduler(VS.100).aspx
    '   http://msdn.microsoft.com/library/dd997413(VS.100).aspx
    ' More information:
    '   http://blogs.msdn.com/pfxteam/archive/2009/09/22/9898090.aspx
    Sub Main()
        Dim options As New ParallelOptions()

        ' Construct and associate a custom task scheduler
        options.TaskScheduler = New TwoThreadTaskScheduler()

        Try
            Parallel.For(0, 10, options, Sub(i, localState)
                                             Console.WriteLine("i={0}, Task={1}, Thread={2}", i, Task.CurrentId, Thread.CurrentThread.ManagedThreadId)

                                         End Sub)
        Catch e As AggregateException
            ' No exception is expected in this example, but if one is still thrown from a task,
            ' it will be wrapped in AggregateException and propagated to the main thread.
            Console.WriteLine("An iteration has thrown an exception. THIS WAS NOT EXPECTED." & vbLf & "{0}", e)
        End Try
    End Sub

    ' This scheduler schedules all tasks on (at most) two threads
    Private NotInheritable Class TwoThreadTaskScheduler
        Inherits TaskScheduler
        Implements IDisposable
        ' The runtime decides how many tasks to create for the given set of iterations, loop options, and scheduler's max concurrency level.
        ' Tasks will be queued in this collection
        Private _tasks As New BlockingCollection(Of Task)()

        ' Maintain an array of threads. (Feel free to bump up _n.)
        Private ReadOnly _n As Integer = 2
        Private _threads As Thread()

        Public Sub New()
            _threads = New Thread(_n - 1) {}

            ' Create unstarted threads based on the same inline delegate
            For i As Integer = 0 To _n - 1
                _threads(i) = New Thread(Sub()
                                             ' The following loop blocks until items become available in the blocking collection.
                                             ' Then one thread is unblocked to consume that item.
                                             For Each task In _tasks.GetConsumingEnumerable()
                                                 TryExecuteTask(task)
                                             Next
                                         End Sub)

                ' Start each thread
                _threads(i).IsBackground = True
                _threads(i).Start()
            Next
        End Sub

        ' This method is invoked by the runtime to schedule a task
        Protected Overloads Overrides Sub QueueTask(ByVal task As Task)
            _tasks.Add(task)
        End Sub

        ' The runtime will probe if a task can be executed in the current thread.
        ' By returning false, we direct all tasks to be queued up.
        Protected Overloads Overrides Function TryExecuteTaskInline(ByVal task As Task, ByVal taskWasPreviouslyQueued As Boolean) As Boolean
            Return False
        End Function

        Public Overloads Overrides ReadOnly Property MaximumConcurrencyLevel() As Integer
            Get
                Return _n
            End Get
        End Property

        Protected Overloads Overrides Function GetScheduledTasks() As IEnumerable(Of Task)
            Return _tasks.ToArray()
        End Function

        ' Dispose is not thread-safe with other members.
        ' It may only be used when no more tasks will be queued
        ' to the scheduler. This implementation will block
        ' until all previously queued tasks have completed.
        Public Sub Dispose() Implements IDisposable.Dispose
            If _threads IsNot Nothing Then
                _tasks.CompleteAdding()

                For i As Integer = 0 To _n - 1
                    _threads(i).Join()
                    _threads(i) = Nothing
                Next
                _threads = Nothing
                _tasks.Dispose()
                _tasks = Nothing
            End If
        End Sub
    End Class

End Module

설명

64비트 인덱스를 지원합니다. body 대리자는 반복 범위의 각 값에 대해 한 번 호출됩니다(fromInclusive, toExclusive). 반복 횟수(Int64)를 매개 변수로 제공합니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

추가 정보

적용 대상

For<TLocal>(Int32, Int32, Func<TLocal>, Func<Int32,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
generic <typename TLocal>
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, Func<TLocal> ^ localInit, Func<int, System::Threading::Tasks::ParallelLoopState ^, TLocal, TLocal> ^ body, Action<TLocal> ^ localFinally);
public static System.Threading.Tasks.ParallelLoopResult For<TLocal> (int fromInclusive, int toExclusive, Func<TLocal> localInit, Func<int,System.Threading.Tasks.ParallelLoopState,TLocal,TLocal> body, Action<TLocal> localFinally);
static member For : int * int * Func<'Local> * Func<int, System.Threading.Tasks.ParallelLoopState, 'Local, 'Local> * Action<'Local> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For(Of TLocal) (fromInclusive As Integer, toExclusive As Integer, localInit As Func(Of TLocal), body As Func(Of Integer, ParallelLoopState, TLocal, TLocal), localFinally As Action(Of TLocal)) As ParallelLoopResult

형식 매개 변수

TLocal

스레드 로컬 데이터의 형식입니다.

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

localInit
Func<TLocal>

각 작업에 대한 로컬 데이터의 초기 상태를 반환하는 함수 대리자입니다.

body
Func<Int32,ParallelLoopState,TLocal,TLocal>

반복당 한 번씩 호출되는 대리자입니다.

localFinally
Action<TLocal>

각 작업의 로컬 상태에 대해 최종 동작을 수행하는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

또는

localInit 인수가 null인 경우

또는

localFinally 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

설명

body 대리자는 반복 범위의 각 값에 대해 한 번 호출됩니다(fromInclusive, toExclusive). 반복 횟수(Int32), ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 및 동일한 스레드에서 실행되는 반복 간에 공유될 수 있는 일부 로컬 상태 매개 변수와 함께 제공됩니다.

localInit 대리자는 루프 실행에 참여하고 각 태스크에 대한 초기 로컬 상태를 반환하는 각 태스크에 대해 한 번 호출됩니다. 이러한 초기 상태는 각 작업의 첫 번째 body 호출에 전달됩니다. 그런 다음 모든 후속 본문 호출은 다음 본문 호출에 전달되는 수정된 상태 값을 반환합니다. 마지막으로 각 작업의 마지막 본문 호출은 대리자에게 localFinally 전달되는 상태 값을 반환합니다. localFinally 대리자는 각 태스크의 로컬 상태에 대한 최종 작업을 수행하기 위해 태스크당 한 번 호출됩니다. 이 대리자는 여러 작업에서 동시에 호출될 수 있습니다. 따라서 공유 변수에 대한 액세스를 동기화해야 합니다.

메서드는 Parallel.For 기존 작업이 완료되고 새 작업으로 대체되기 때문에 실행 수명 동안 스레드보다 더 많은 작업을 사용할 수 있습니다. 이렇게 하면 기본 개체가 루프를 서비스하는 TaskScheduler 스레드를 추가, 변경 또는 제거할 수 있습니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 반환됩니다.

이 메서드를 사용하는 예제는 방법: Thread-Local 변수를 사용하여 Parallel.For 루프 작성을 참조하세요.

추가 정보

적용 대상

For<TLocal>(Int64, Int64, Func<TLocal>, Func<Int64,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스와 스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
generic <typename TLocal>
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, Func<TLocal> ^ localInit, Func<long, System::Threading::Tasks::ParallelLoopState ^, TLocal, TLocal> ^ body, Action<TLocal> ^ localFinally);
public static System.Threading.Tasks.ParallelLoopResult For<TLocal> (long fromInclusive, long toExclusive, Func<TLocal> localInit, Func<long,System.Threading.Tasks.ParallelLoopState,TLocal,TLocal> body, Action<TLocal> localFinally);
static member For : int64 * int64 * Func<'Local> * Func<int64, System.Threading.Tasks.ParallelLoopState, 'Local, 'Local> * Action<'Local> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For(Of TLocal) (fromInclusive As Long, toExclusive As Long, localInit As Func(Of TLocal), body As Func(Of Long, ParallelLoopState, TLocal, TLocal), localFinally As Action(Of TLocal)) As ParallelLoopResult

형식 매개 변수

TLocal

스레드 로컬 데이터의 형식입니다.

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

localInit
Func<TLocal>

각 작업에 대한 로컬 데이터의 초기 상태를 반환하는 함수 대리자입니다.

body
Func<Int64,ParallelLoopState,TLocal,TLocal>

반복당 한 번씩 호출되는 대리자입니다.

localFinally
Action<TLocal>

각 작업의 로컬 상태에 대해 최종 동작을 수행하는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

또는

localInit 인수가 null인 경우

또는

localFinally 인수가 null인 경우

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int64), ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 및 동일한 작업에서 실행되는 반복 간에 공유될 수 있는 일부 로컬 상태 매개 변수와 함께 제공됩니다.

localInit 대리자는 루프의 실행에 참여하고 각 태스크에 대한 초기 로컬 상태를 반환하는 각 태스크에 대해 한 번 호출됩니다. 이러한 초기 상태는 각 작업의 첫 번째 body 호출에 전달됩니다. 그런 다음, 모든 후속 본문 호출은 다음 본문 호출에 전달되는 수정된 상태 값을 반환합니다. 마지막으로 각 태스크의 마지막 본문 호출은 대리자에게 localFinally 전달되는 상태 값을 반환합니다. localFinally 대리자는 각 태스크의 로컬 상태에 대한 최종 작업을 수행하기 위해 태스크당 한 번 호출됩니다. 이 대리자는 여러 태스크에서 동시에 호출될 수 있습니다. 따라서 공유 변수에 대한 액세스를 동기화해야 합니다.

메서드는 Parallel.For 기존 작업이 완료되고 새 태스크로 대체되기 때문에 실행 수명 동안 스레드보다 더 많은 작업을 사용할 수 있습니다. 이렇게 하면 기본 개체가 루프를 서비스하는 TaskScheduler 스레드를 추가, 변경 또는 제거할 수 있습니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 를 반환합니다.

이 메서드를 사용하는 예제는 방법: Thread-Local 변수를 사용하여 Parallel.For 루프 작성을 참조하세요.

추가 정보

적용 대상

For<TLocal>(Int32, Int32, ParallelOptions, Func<TLocal>, Func<Int32,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
generic <typename TLocal>
 static System::Threading::Tasks::ParallelLoopResult For(int fromInclusive, int toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Func<TLocal> ^ localInit, Func<int, System::Threading::Tasks::ParallelLoopState ^, TLocal, TLocal> ^ body, Action<TLocal> ^ localFinally);
public static System.Threading.Tasks.ParallelLoopResult For<TLocal> (int fromInclusive, int toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Func<TLocal> localInit, Func<int,System.Threading.Tasks.ParallelLoopState,TLocal,TLocal> body, Action<TLocal> localFinally);
static member For : int * int * System.Threading.Tasks.ParallelOptions * Func<'Local> * Func<int, System.Threading.Tasks.ParallelLoopState, 'Local, 'Local> * Action<'Local> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For(Of TLocal) (fromInclusive As Integer, toExclusive As Integer, parallelOptions As ParallelOptions, localInit As Func(Of TLocal), body As Func(Of Integer, ParallelLoopState, TLocal, TLocal), localFinally As Action(Of TLocal)) As ParallelLoopResult

형식 매개 변수

TLocal

스레드 로컬 데이터의 형식입니다.

매개 변수

fromInclusive
Int32

시작 인덱스(포함)입니다.

toExclusive
Int32

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

localInit
Func<TLocal>

각 작업에 대한 로컬 데이터의 초기 상태를 반환하는 함수 대리자입니다.

body
Func<Int32,ParallelLoopState,TLocal,TLocal>

반복당 한 번씩 호출되는 대리자입니다.

localFinally
Action<TLocal>

각 작업의 로컬 상태에 대해 최종 동작을 수행하는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

또는

localInit 인수가 null인 경우

또는

localFinally 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

parallelOptions 인수의 CancellationToken이 취소된 경우

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

예제

다음 예제에서는 스레드 지역 변수를 사용하여 많은 긴 작업의 결과 합계를 계산합니다. 이 예제에서는 병렬 처리 수준을 4로 제한합니다.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;

class ThreadLocalForWithOptions
{
   // The number of parallel iterations to perform.
   const int N = 1000000;

   static void Main()
   {
      // The result of all thread-local computations.
      int result = 0;

      // This example limits the degree of parallelism to four.
      // You might limit the degree of parallelism when your algorithm
      // does not scale beyond a certain number of cores or when you 
      // enforce a particular quality of service in your application.

      Parallel.For(0, N, new ParallelOptions { MaxDegreeOfParallelism = 4 },
         // Initialize the local states
         () => 0,
         // Accumulate the thread-local computations in the loop body
         (i, loop, localState) =>
         {
            return localState + Compute(i);
         },
         // Combine all local states
         localState => Interlocked.Add(ref result, localState)
      );

      // Print the actual and expected results.
      Console.WriteLine("Actual result: {0}. Expected 1000000.", result);
   }

   // Simulates a lengthy operation.
   private static int Compute(int n)
   {
      for (int i = 0; i < 10000; i++) ;
      return 1;
   }
}
Imports System.Threading
Imports System.Threading.Tasks

Module ThreadLocalForWithOptions

   ' The number of parallel iterations to perform.
   Const N As Integer = 1000000

   Sub Main()
      ' The result of all thread-local computations.
      Dim result As Integer = 0

      ' This example limits the degree of parallelism to four.
      ' You might limit the degree of parallelism when your algorithm
      ' does not scale beyond a certain number of cores or when you 
      ' enforce a particular quality of service in your application.

      Parallel.For(0, N, New ParallelOptions With {.MaxDegreeOfParallelism = 4},
         Function()
            ' Initialize the local states 
            Return 0
         End Function,
         Function(i, loopState, localState)
            ' Accumulate the thread-local computations in the loop body
            Return localState + Compute(i)
         End Function,
         Sub(localState)
            ' Combine all local states
            Interlocked.Add(result, localState)
         End Sub
      )

      ' Print the actual and expected results.
      Console.WriteLine("Actual result: {0}. Expected 1000000.", result)
   End Sub

   ' Simulates a lengthy operation.
   Function Compute(ByVal n As Integer) As Integer
      For i As Integer = 0 To 10000
      Next
      Return 1
   End Function
End Module

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int32), ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 및 동일한 작업에서 실행되는 반복 간에 공유될 수 있는 일부 로컬 상태 매개 변수와 함께 제공됩니다.

localInit 대리자는 루프의 실행에 참여하고 각 태스크에 대한 초기 로컬 상태를 반환하는 각 태스크에 대해 한 번 호출됩니다. 이러한 초기 상태는 각 작업의 첫 번째 body 호출에 전달됩니다. 그런 다음, 모든 후속 본문 호출은 다음 본문 호출에 전달되는 수정된 상태 값을 반환합니다. 마지막으로 각 태스크의 마지막 본문 호출은 대리자에게 localFinally 전달되는 상태 값을 반환합니다. localFinally 대리자는 각 태스크의 로컬 상태에 대한 최종 작업을 수행하기 위해 태스크당 한 번 호출됩니다. 이 대리자는 여러 스레드에서 동시에 호출될 수 있습니다. 따라서 공유 변수에 대한 액세스를 동기화해야 합니다.

메서드는 Parallel.For 기존 작업이 완료되고 새 태스크로 대체되기 때문에 실행 수명 동안 스레드보다 더 많은 작업을 사용할 수 있습니다. 이렇게 하면 기본 개체가 루프를 서비스하는 TaskScheduler 스레드를 추가, 변경 또는 제거할 수 있습니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 를 반환합니다.

추가 정보

적용 대상

For<TLocal>(Int64, Int64, ParallelOptions, Func<TLocal>, Func<Int64,ParallelLoopState,TLocal,TLocal>, Action<TLocal>)

Source:
Parallel.cs
Source:
Parallel.cs
Source:
Parallel.cs

64비트 인덱스와 스레드 로컬 데이터를 사용하여 반복을 병렬로 실행할 수 있고 루프 옵션을 구성할 수 있으며 루프 상태를 모니터링 및 조작할 수 있는 for 루프를 실행합니다.

public:
generic <typename TLocal>
 static System::Threading::Tasks::ParallelLoopResult For(long fromInclusive, long toExclusive, System::Threading::Tasks::ParallelOptions ^ parallelOptions, Func<TLocal> ^ localInit, Func<long, System::Threading::Tasks::ParallelLoopState ^, TLocal, TLocal> ^ body, Action<TLocal> ^ localFinally);
public static System.Threading.Tasks.ParallelLoopResult For<TLocal> (long fromInclusive, long toExclusive, System.Threading.Tasks.ParallelOptions parallelOptions, Func<TLocal> localInit, Func<long,System.Threading.Tasks.ParallelLoopState,TLocal,TLocal> body, Action<TLocal> localFinally);
static member For : int64 * int64 * System.Threading.Tasks.ParallelOptions * Func<'Local> * Func<int64, System.Threading.Tasks.ParallelLoopState, 'Local, 'Local> * Action<'Local> -> System.Threading.Tasks.ParallelLoopResult
Public Shared Function For(Of TLocal) (fromInclusive As Long, toExclusive As Long, parallelOptions As ParallelOptions, localInit As Func(Of TLocal), body As Func(Of Long, ParallelLoopState, TLocal, TLocal), localFinally As Action(Of TLocal)) As ParallelLoopResult

형식 매개 변수

TLocal

스레드 로컬 데이터의 형식입니다.

매개 변수

fromInclusive
Int64

시작 인덱스(포함)입니다.

toExclusive
Int64

끝 인덱스(제외)입니다.

parallelOptions
ParallelOptions

이 작업의 동작을 구성하는 개체입니다.

localInit
Func<TLocal>

각 스레드에 대한 로컬 데이터의 초기 상태를 반환하는 함수 대리자입니다.

body
Func<Int64,ParallelLoopState,TLocal,TLocal>

반복당 한 번씩 호출되는 대리자입니다.

localFinally
Action<TLocal>

각 스레드의 로컬 상태에 대해 최종 동작을 수행하는 대리자입니다.

반환

완료된 루프 부분에 대한 정보가 포함된 구조체입니다.

예외

body 인수가 null인 경우

또는

localInit 인수가 null인 경우

또는

localFinally 인수가 null인 경우

또는

parallelOptions 인수가 null인 경우

parallelOptions 인수의 CancellationToken이 취소된 경우

parallelOptionsCancellationTokenSource과 연결된 CancellationToken가 삭제되었습니다.

모든 개별 예외를 포함하는 예외는 스레드에서 throw됩니다.

설명

body 대리자는 반복 범위(fromInclusive, toExclusive)의 각 값에 대해 한 번 호출됩니다. 반복 횟수(Int64), ParallelLoopState 루프를 조기에 중단하는 데 사용할 수 있는 instance 및 동일한 스레드에서 실행되는 반복 간에 공유될 수 있는 일부 로컬 상태 매개 변수와 함께 제공됩니다.

대리자는 localInit 루프의 실행에 참여하고 각 스레드에 대한 초기 로컬 상태를 반환하는 각 스레드에 대해 한 번 호출됩니다. 이러한 초기 상태는 각 스레드의 첫 번째 body 호출에 전달됩니다. 그런 다음, 모든 후속 본문 호출은 다음 본문 호출에 전달되는 수정된 상태 값을 반환합니다. 마지막으로 각 스레드의 마지막 본문 호출은 대리자에게 localFinally 전달되는 상태 값을 반환합니다. localFinally 대리자는 스레드당 한 번 호출되어 각 스레드의 로컬 상태에 대한 최종 작업을 수행합니다. 이 대리자는 여러 스레드에서 동시에 호출될 수 있습니다. 따라서 공유 변수에 대한 액세스를 동기화해야 합니다.

메서드는 Parallel.For 기존 작업이 완료되고 새 태스크로 대체되기 때문에 실행 수명 동안 스레드보다 더 많은 작업을 사용할 수 있습니다. 이렇게 하면 기본 개체가 루프를 서비스하는 TaskScheduler 스레드를 추가, 변경 또는 제거할 수 있습니다.

가 보다 크거나 같toExclusive으면 fromInclusive 메서드는 반복을 수행하지 않고 즉시 를 반환합니다.

추가 정보

적용 대상