Task.WaitAll Método
Definição
Sobrecargas
WaitAll(Task[]) |
Aguarda até que todos os objetos Task fornecidos tenham concluído a execução.Waits for all of the provided Task objects to complete execution. |
WaitAll(Task[], Int32) |
Aguarda todos os objetos Task fornecidos concluírem a execução dentro de um número especificado de milissegundos.Waits for all of the provided Task objects to complete execution within a specified number of milliseconds. |
WaitAll(Task[], CancellationToken) |
Aguarda até que todos os objetos Task fornecidos tenham concluído a execução, a menos que a espera seja cancelada.Waits for all of the provided Task objects to complete execution unless the wait is cancelled. |
WaitAll(Task[], TimeSpan) |
Aguarda todos os objetos Task canceláveis fornecidos concluírem a execução dentro de um intervalo de tempo especificado.Waits for all of the provided cancellable Task objects to complete execution within a specified time interval. |
WaitAll(Task[], Int32, CancellationToken) |
Aguarda todos os objetos Task fornecidos concluírem a execução em um número especificado de milissegundos ou até que a espera seja cancelada.Waits for all of the provided Task objects to complete execution within a specified number of milliseconds or until the wait is cancelled. |
WaitAll(Task[])
Aguarda até que todos os objetos Task fornecidos tenham concluído a execução.Waits for all of the provided Task objects to complete execution.
public:
static void WaitAll(... cli::array <System::Threading::Tasks::Task ^> ^ tasks);
public static void WaitAll (params System.Threading.Tasks.Task[] tasks);
static member WaitAll : System.Threading.Tasks.Task[] -> unit
Public Shared Sub WaitAll (ParamArray tasks As Task())
Parâmetros
Exceções
Um ou mais objetos Task no tasks
foram descartados.One or more of the Task objects in tasks
has been disposed.
O argumento tasks
é null
.The tasks
argument is null
.
O argumento tasks
contém um elemento nulo.The tasks
argument contains a null element.
Pelo menos uma das instâncias Task foi cancelada.At least one of the Task instances was canceled. Se uma tarefa foi cancelada, a exceção AggregateException contém uma exceção OperationCanceledException na coleção InnerExceptions.If a task was canceled, the AggregateException exception contains an OperationCanceledException exception in its InnerExceptions collection.
- ou --or- Uma exceção foi gerada durante a execução de, pelo menos, uma das instâncias Task.An exception was thrown during the execution of at least one of the Task instances.
Exemplos
O exemplo a seguir inicia 10 tarefas, sendo que cada uma passa um índice como um objeto de estado.The following example starts 10 tasks, each of which is passed an index as a state object. As tarefas com um índice de duas a cinco geram exceções.Tasks with an index from two to five throw exceptions. A chamada para o método WaitAll encapsula todas as exceções em um objeto AggregateException e a propaga para o thread de chamada.The call to the WaitAll method wraps all exceptions in an AggregateException object and propagates it to the calling thread.
using System;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
class Example
{
static void Main()
{
var tasks = new List<Task<int>>();
// Define a delegate that prints and returns the system tick count
Func<object, int> action = (object obj) =>
{
int i = (int)obj;
// Make each thread sleep a different time in order to return a different tick count
Thread.Sleep(i * 100);
// The tasks that receive an argument between 2 and 5 throw exceptions
if (2 <= i && i <= 5)
{
throw new InvalidOperationException("SIMULATED EXCEPTION");
}
int tickCount = Environment.TickCount;
Console.WriteLine("Task={0}, i={1}, TickCount={2}, Thread={3}", Task.CurrentId, i, tickCount, Thread.CurrentThread.ManagedThreadId);
return tickCount;
};
// Construct started tasks
for (int i = 0; i < 10; i++)
{
int index = i;
tasks.Add(Task<int>.Factory.StartNew(action, index));
}
try
{
// Wait for all the tasks to finish.
Task.WaitAll(tasks.ToArray());
// We should never get to this point
Console.WriteLine("WaitAll() has not thrown exceptions. THIS WAS NOT EXPECTED.");
}
catch (AggregateException e)
{
Console.WriteLine("\nThe following exceptions have been thrown by WaitAll(): (THIS WAS EXPECTED)");
for (int j = 0; j < e.InnerExceptions.Count; j++)
{
Console.WriteLine("\n-------------------------------------------------\n{0}", e.InnerExceptions[j].ToString());
}
}
}
}
// The example displays output like the following:
// Task=1, i=0, TickCount=1203822250, Thread=3
// Task=2, i=1, TickCount=1203822359, Thread=4
// Task=7, i=6, TickCount=1203823484, Thread=3
// Task=8, i=7, TickCount=1203823890, Thread=4
// Task=9, i=8, TickCount=1203824296, Thread=3
// Task=10, i=9, TickCount=1203824796, Thread=4
//
// The following exceptions have been thrown by WaitAll(): (THIS WAS EXPECTED)
//
// -------------------------------------------------
// System.InvalidOperationException: SIMULATED EXCEPTION
// at Example.<Main>b__0(Object obj)
// at System.Threading.Tasks.Task`1.InnerInvoke()
// at System.Threading.Tasks.Task.Execute()
//
// -------------------------------------------------
// System.InvalidOperationException: SIMULATED EXCEPTION
// at Example.<Main>b__0(Object obj)
// at System.Threading.Tasks.Task`1.InnerInvoke()
// at System.Threading.Tasks.Task.Execute()
//
// -------------------------------------------------
// System.InvalidOperationException: SIMULATED EXCEPTION
// at Example.<Main>b__0(Object obj)
// at System.Threading.Tasks.Task`1.InnerInvoke()
// at System.Threading.Tasks.Task.Execute()
//
// -------------------------------------------------
// System.InvalidOperationException: SIMULATED EXCEPTION
// at Example.<Main>b__0(Object obj)
// at System.Threading.Tasks.Task`1.InnerInvoke()
// at System.Threading.Tasks.Task.Execute()
Imports System.Collections.Generic
Imports System.Threading
Imports System.Threading.Tasks
Module WaitAllDemo
Sub Main()
Dim tasks As New List(Of Task(Of Integer))()
' Define a delegate that prints and returns the system tick count
Dim action As Func(Of Object, Integer) = Function(obj As Object)
Dim i As Integer = CInt(obj)
' Make each thread sleep a different time in order to return a different tick count
Thread.Sleep(i * 100)
' The tasks that receive an argument between 2 and 5 throw exceptions
If 2 <= i AndAlso i <= 5 Then
Throw New InvalidOperationException("SIMULATED EXCEPTION")
End If
Dim tickCount As Integer = Environment.TickCount
Console.WriteLine("Task={0}, i={1}, TickCount={2}, Thread={3}", Task.CurrentId, i, tickCount, Thread.CurrentThread.ManagedThreadId)
Return tickCount
End Function
' Construct started tasks
For i As Integer = 0 To 9
Dim index As Integer = i
tasks.Add(Task(Of Integer).Factory.StartNew(action, index))
Next
Try
' Wait for all the tasks to finish.
Task.WaitAll(tasks.ToArray())
' We should never get to this point
Console.WriteLine("WaitAll() has not thrown exceptions. THIS WAS NOT EXPECTED.")
Catch e As AggregateException
Console.WriteLine(vbLf & "The following exceptions have been thrown by WaitAll(): (THIS WAS EXPECTED)")
For j As Integer = 0 To e.InnerExceptions.Count - 1
Console.WriteLine(vbLf & "-------------------------------------------------" & vbLf & "{0}", e.InnerExceptions(j).ToString())
Next
End Try
End Sub
End Module
' The example displays output like the following:
' Task=1, i=0, TickCount=1203822250, Thread=3
' Task=2, i=1, TickCount=1203822359, Thread=4
' Task=7, i=6, TickCount=1203823484, Thread=3
' Task=8, i=7, TickCount=1203823890, Thread=4
' Task=9, i=8, TickCount=1203824296, Thread=3
' Task=10, i=9, TickCount=1203824796, Thread=4
'
' The following exceptions have been thrown by WaitAll(): (THIS WAS EXPECTED)
'
' -------------------------------------------------
' System.InvalidOperationException: SIMULATED EXCEPTION
' at Example.<Main>b__0(Object obj)
' at System.Threading.Tasks.Task`1.InnerInvoke()
' at System.Threading.Tasks.Task.Execute()
'
' -------------------------------------------------
' System.InvalidOperationException: SIMULATED EXCEPTION
' at Example.<Main>b__0(Object obj)
' at System.Threading.Tasks.Task`1.InnerInvoke()
' at System.Threading.Tasks.Task.Execute()
'
' -------------------------------------------------
' System.InvalidOperationException: SIMULATED EXCEPTION
' at Example.<Main>b__0(Object obj)
' at System.Threading.Tasks.Task`1.InnerInvoke()
' at System.Threading.Tasks.Task.Execute()
'
' -------------------------------------------------
' System.InvalidOperationException: SIMULATED EXCEPTION
' at Example.<Main>b__0(Object obj)
' at System.Threading.Tasks.Task`1.InnerInvoke()
' at System.Threading.Tasks.Task.Execute()
WaitAll(Task[], Int32)
Aguarda todos os objetos Task fornecidos concluírem a execução dentro de um número especificado de milissegundos.Waits for all of the provided Task objects to complete execution within a specified number of milliseconds.
public:
static bool WaitAll(cli::array <System::Threading::Tasks::Task ^> ^ tasks, int millisecondsTimeout);
public static bool WaitAll (System.Threading.Tasks.Task[] tasks, int millisecondsTimeout);
static member WaitAll : System.Threading.Tasks.Task[] * int -> bool
Public Shared Function WaitAll (tasks As Task(), millisecondsTimeout As Integer) As Boolean
Parâmetros
- millisecondsTimeout
- Int32
O número de milissegundos para aguardar ou Infinite (- 1) para aguardar indefinidamente.The number of milliseconds to wait, or Infinite (-1) to wait indefinitely.
Retornos
true
se todas as instâncias do Task tiverem concluído a execução dentro do tempo determinado; caso contrário, false
.true
if all of the Task instances completed execution within the allotted time; otherwise, false
.
Exceções
Um ou mais objetos Task no tasks
foram descartados.One or more of the Task objects in tasks
has been disposed.
O argumento tasks
é null
.The tasks
argument is null
.
Pelo menos uma das instâncias Task foi cancelada.At least one of the Task instances was canceled. Se uma tarefa tiver sido cancelada, a AggregateException conterá um OperationCanceledException em sua coleção InnerExceptions.If a task was canceled, the AggregateException contains an OperationCanceledException in its InnerExceptions collection.
- ou --or- Uma exceção foi gerada durante a execução de, pelo menos, uma das instâncias Task.An exception was thrown during the execution of at least one of the Task instances.
millisecondsTimeout
é um número negativo diferente de -1, que representa um tempo limite infinito.millisecondsTimeout
is a negative number other than -1, which represents an infinite time-out.
O argumento tasks
contém um elemento nulo.The tasks
argument contains a null element.
WaitAll(Task[], CancellationToken)
Aguarda até que todos os objetos Task fornecidos tenham concluído a execução, a menos que a espera seja cancelada.Waits for all of the provided Task objects to complete execution unless the wait is cancelled.
public:
static void WaitAll(cli::array <System::Threading::Tasks::Task ^> ^ tasks, System::Threading::CancellationToken cancellationToken);
public static void WaitAll (System.Threading.Tasks.Task[] tasks, System.Threading.CancellationToken cancellationToken);
static member WaitAll : System.Threading.Tasks.Task[] * System.Threading.CancellationToken -> unit
Parâmetros
- cancellationToken
- CancellationToken
Um CancellationToken a ser observado ao aguardar a conclusão das tarefas.A CancellationToken to observe while waiting for the tasks to complete.
Exceções
O cancellationToken
foi cancelado.The cancellationToken
was canceled.
O argumento tasks
é null
.The tasks
argument is null
.
Pelo menos uma das instâncias Task foi cancelada.At least one of the Task instances was canceled. Se uma tarefa tiver sido cancelada, a AggregateException conterá um OperationCanceledException em sua coleção InnerExceptions.If a task was canceled, the AggregateException contains an OperationCanceledException in its InnerExceptions collection.
- ou --or- Uma exceção foi gerada durante a execução de, pelo menos, uma das instâncias Task.An exception was thrown during the execution of at least one of the Task instances.
O argumento tasks
contém um elemento nulo.The tasks
argument contains a null element.
Um ou mais objetos Task no tasks
foram descartados.One or more of the Task objects in tasks
has been disposed.
Comentários
O argumento cancellationToken
é usado para cancelar a operação de espera.The cancellationToken
argument is used to cancel the wait operation. O cancelamento das tarefas é uma operação distinta e é sinalizado pelo AggregateException conforme indicado acima.Cancellation of the tasks is a distinct operation, and is signaled by the AggregateException as noted above.
WaitAll(Task[], TimeSpan)
Aguarda todos os objetos Task canceláveis fornecidos concluírem a execução dentro de um intervalo de tempo especificado.Waits for all of the provided cancellable Task objects to complete execution within a specified time interval.
public:
static bool WaitAll(cli::array <System::Threading::Tasks::Task ^> ^ tasks, TimeSpan timeout);
public static bool WaitAll (System.Threading.Tasks.Task[] tasks, TimeSpan timeout);
static member WaitAll : System.Threading.Tasks.Task[] * TimeSpan -> bool
Public Shared Function WaitAll (tasks As Task(), timeout As TimeSpan) As Boolean
Parâmetros
- timeout
- TimeSpan
Um TimeSpan que representa o número de milissegundos para aguardar ou um TimeSpan que representa -1 milissegundos para aguardar indefinidamente.A TimeSpan that represents the number of milliseconds to wait, or a TimeSpan that represents -1 milliseconds to wait indefinitely.
Retornos
true
se todas as instâncias do Task tiverem concluído a execução dentro do tempo determinado; caso contrário, false
.true
if all of the Task instances completed execution within the allotted time; otherwise, false
.
Exceções
Um ou mais objetos Task no tasks
foram descartados.One or more of the Task objects in tasks
has been disposed.
O argumento tasks
é null
.The tasks
argument is null
.
Pelo menos uma das instâncias Task foi cancelada.At least one of the Task instances was canceled. Se uma tarefa tiver sido cancelada, a AggregateException conterá um OperationCanceledException em sua coleção InnerExceptions.If a task was canceled, the AggregateException contains an OperationCanceledException in its InnerExceptions collection.
- ou --or- Uma exceção foi gerada durante a execução de, pelo menos, uma das instâncias Task.An exception was thrown during the execution of at least one of the Task instances.
timeout
é um número negativo diferente de -1 milissegundo, que representa um tempo limite infinito.timeout
is a negative number other than -1 milliseconds, which represents an infinite time-out.
- ou --or-
timeout
é maior que MaxValue.timeout
is greater than MaxValue.
O argumento tasks
contém um elemento nulo.The tasks
argument contains a null element.
WaitAll(Task[], Int32, CancellationToken)
Aguarda todos os objetos Task fornecidos concluírem a execução em um número especificado de milissegundos ou até que a espera seja cancelada.Waits for all of the provided Task objects to complete execution within a specified number of milliseconds or until the wait is cancelled.
public:
static bool WaitAll(cli::array <System::Threading::Tasks::Task ^> ^ tasks, int millisecondsTimeout, System::Threading::CancellationToken cancellationToken);
public static bool WaitAll (System.Threading.Tasks.Task[] tasks, int millisecondsTimeout, System.Threading.CancellationToken cancellationToken);
static member WaitAll : System.Threading.Tasks.Task[] * int * System.Threading.CancellationToken -> bool
Parâmetros
- millisecondsTimeout
- Int32
O número de milissegundos para aguardar ou Infinite (- 1) para aguardar indefinidamente.The number of milliseconds to wait, or Infinite (-1) to wait indefinitely.
- cancellationToken
- CancellationToken
Um CancellationToken a ser observado ao aguardar a conclusão das tarefas.A CancellationToken to observe while waiting for the tasks to complete.
Retornos
true
se todas as instâncias do Task tiverem concluído a execução dentro do tempo determinado; caso contrário, false
.true
if all of the Task instances completed execution within the allotted time; otherwise, false
.
Exceções
Um ou mais objetos Task no tasks
foram descartados.One or more of the Task objects in tasks
has been disposed.
O argumento tasks
é null
.The tasks
argument is null
.
Pelo menos uma das instâncias Task foi cancelada.At least one of the Task instances was canceled. Se uma tarefa tiver sido cancelada, a AggregateException conterá um OperationCanceledException em sua coleção InnerExceptions.If a task was canceled, the AggregateException contains an OperationCanceledException in its InnerExceptions collection.
- ou --or- Uma exceção foi gerada durante a execução de, pelo menos, uma das instâncias Task.An exception was thrown during the execution of at least one of the Task instances.
millisecondsTimeout
é um número negativo diferente de -1, que representa um tempo limite infinito.millisecondsTimeout
is a negative number other than -1, which represents an infinite time-out.
O argumento tasks
contém um elemento nulo.The tasks
argument contains a null element.
O cancellationToken
foi cancelado.The cancellationToken
was canceled.
Comentários
O argumento cancellationToken
é usado para cancelar a operação de espera.The cancellationToken
argument is used to cancel the wait operation. O cancelamento das tarefas é uma operação distinta e é sinalizado pelo AggregateException observado acima.Cancellation of the tasks is a distinct operation, and is signaled by the AggregateException noted above.