Task.Run
Task.Run
Task.Run
Task.Run
Method
Definition
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Aufgaben- oder Task<TResult>-Handle für diese Aufgabe zurück.Queues the specified work to run on the ThreadPool and returns a task or Task<TResult> handle for that work.
Überlädt
Run(Action) Run(Action) Run(Action) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task object that represents that work. |
Run(Func<Task>) Run(Func<Task>) Run(Func<Task>) Run(Func<Task>) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Aufgabe zurück, die von |
Run(Action, CancellationToken) Run(Action, CancellationToken) Run(Action, CancellationToken) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task object that represents that work. Ein Abbruchtoken ermöglicht den Abbruch der Arbeit.A cancellation token allows the work to be cancelled. |
Run(Func<Task>, CancellationToken) Run(Func<Task>, CancellationToken) Run(Func<Task>, CancellationToken) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Aufgabe zurück, die von |
Run<TResult>(Func<TResult>, CancellationToken) Run<TResult>(Func<TResult>, CancellationToken) Run<TResult>(Func<TResult>, CancellationToken) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein |
Run<TResult>(Func<Task<TResult>>, CancellationToken) Run<TResult>(Func<Task<TResult>>, CancellationToken) Run<TResult>(Func<Task<TResult>>, CancellationToken) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die |
Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die |
Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>) |
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task<TResult>-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task<TResult> object that represents that work. |
Hinweise
Die Run Methode bietet eine Reihe von Überladungen, die für den Aufgabenstart nutzt, mit Standardwerten zu erleichtern.The Run method provides a set of overloads that make it easy to start a task by using default values. Es ist eine einfache Alternative zu den StartNew Überladungen.It is a lightweight alternative to the StartNew overloads.
Run(Action) Run(Action) Run(Action)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task object that represents that work.
public:
static System::Threading::Tasks::Task ^ Run(Action ^ action);
public static System.Threading.Tasks.Task Run (Action action);
static member Run : Action -> System.Threading.Tasks.Task
Parameter
Die asynchron auszuführende Arbeit.The work to execute asynchronously
Gibt zurück
Eine Aufgabe, die die Arbeit darstellt, die sich in der Warteschlange befindet, um im Threadpool ausgeführt zu werden.A task that represents the work queued to execute in the ThreadPool.
Ausnahmen
Der action
-Parameter war null
.The action
parameter was null
.
Beispiele
Das folgende Beispiel definiert eine ShowThreadInfo
-Methode, die zeigt die Thread.ManagedThreadId des aktuellen Threads.The following example defines a ShowThreadInfo
method that displays the Thread.ManagedThreadId of the current thread. Es direkt aus dem Thread der Anwendung aufgerufen wird, und wird aufgerufen, von der Action Delegaten zu übergeben, um die Run(Action) Methode.It is called directly from the application thread, and is called from the Action delegate passed to the Run(Action) method.
using System;
using System.Threading;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
ShowThreadInfo("Application");
var t = Task.Run(() => ShowThreadInfo("Task") );
t.Wait();
}
static void ShowThreadInfo(String s)
{
Console.WriteLine("{0} Thread ID: {1}",
s, Thread.CurrentThread.ManagedThreadId);
}
}
// The example displays the following output:
// Application thread ID: 1
// Task thread ID: 3
Imports System.Threading
Imports System.Threading.Tasks
Module Example
Public Sub Main()
ShowThreadInfo("Application")
Dim t As Task = Task.Run(Sub() ShowThreadInfo("Task") )
t.Wait()
End Sub
Private Sub ShowThreadInfo(s As String)
Console.WriteLine("{0} Thread ID: {1}",
s, Thread.CurrentThread.ManagedThreadId)
End Sub
End Module
' The example displays output like the following:
' Application thread ID: 1
' Task thread ID: 3
Im folgende Beispiel ähnelt dem vorherigen Beispiel, außer dass er einen Lambda-Ausdruck verwendet, um den Code zu definieren, den die Aufgabe ist, führen Sie.The following example is similar to the previous one, except that it uses a lambda expression to define the code that the task is to execute.
using System;
using System.Threading;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
Console.WriteLine("Application thread ID: {0}",
Thread.CurrentThread.ManagedThreadId);
var t = Task.Run(() => { Console.WriteLine("Task thread ID: {0}",
Thread.CurrentThread.ManagedThreadId);
} );
t.Wait();
}
}
// The example displays the following output:
// Application thread ID: 1
// Task thread ID: 3
Imports System.Threading
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Console.WriteLine("Application thread ID: {0}",
Thread.CurrentThread.ManagedThreadId)
Dim t As Task = Task.Run(Sub()
Console.WriteLine("Task thread ID: {0}",
Thread.CurrentThread.ManagedThreadId)
End Sub)
t.Wait()
End Sub
End Module
' The example displays output like the following:
' Application thread ID: 1
' Task thread ID: 3
Die Beispiele zeigen, dass die asynchrone Aufgabe auf einem anderen Thread als dem Hauptanwendungsthread ausgeführt wird.The examples show that the asynchronous task executes on a different thread than the main application thread.
Der Aufruf der Wait Methode stellt sicher, dass die Aufgabe abgeschlossen ist, und die Ausgabe vor dem Beenden der Anwendung zeigt.The call to the Wait method ensures that the task completes and displays its output before the application ends. Andernfalls ist es möglich, die die Main
Methode wird abgeschlossen, bevor die Aufgabe abgeschlossen ist.Otherwise, it is possible that the Main
method will complete before the task finishes.
Das folgende Beispiel veranschaulicht die Run(Action) Methode.The following example illustrates the Run(Action) method. Es definiert ein Array von Verzeichnisnamen und startet eine separate Aufgabe, um die Dateinamen in jedem Verzeichnis abzurufen.It defines an array of directory names and starts a separate task to retrieve the file names in each directory. Alle Aufgaben schreiben die Dateinamen in einer einzelnen ConcurrentBag<T> Objekt.All tasks write the file names to a single ConcurrentBag<T> object. Das Beispiel ruft dann die WaitAll(Task[]) Methode, um sicherzustellen, dass alle Aufgaben abgeschlossen haben, und klicken Sie dann zeigt die Anzahl der Gesamtzahl von Dateinamen geschrieben, um die ConcurrentBag<T> Objekt.The example then calls the WaitAll(Task[]) method to ensure that all tasks have completed, and then displays a count of the total number of file names written to the ConcurrentBag<T> object.
using System;
using System.Collections.Concurrent;
using System.Collections.Generic;
using System.IO;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
var list = new ConcurrentBag<string>();
string[] dirNames = { ".", ".." };
List<Task> tasks = new List<Task>();
foreach (var dirName in dirNames) {
Task t = Task.Run( () => { foreach(var path in Directory.GetFiles(dirName))
list.Add(path); } );
tasks.Add(t);
}
Task.WaitAll(tasks.ToArray());
foreach (Task t in tasks)
Console.WriteLine("Task {0} Status: {1}", t.Id, t.Status);
Console.WriteLine("Number of files read: {0}", list.Count);
}
}
// The example displays output like the following:
// Task 1 Status: RanToCompletion
// Task 2 Status: RanToCompletion
// Number of files read: 23
Imports System.Collections.Concurrent
Imports System.Collections.Generic
Imports System.IO
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Dim list As New ConcurrentBag(Of String)()
Dim dirNames() As String = { ".", ".." }
Dim tasks As New List(Of Task)()
For Each dirName In dirNames
Dim t As Task = Task.Run( Sub()
For Each path In Directory.GetFiles(dirName)
list.Add(path)
Next
End Sub )
tasks.Add(t)
Next
Task.WaitAll(tasks.ToArray())
For Each t In tasks
Console.WriteLine("Task {0} Status: {1}", t.Id, t.Status)
Next
Console.WriteLine("Number of files read: {0}", list.Count)
End Sub
End Module
' The example displays output like the following:
' Task 1 Status: RanToCompletion
' Task 2 Status: RanToCompletion
' Number of files read: 23
Hinweise
Die Run -Methode können Sie zum Erstellen und Ausführen einer Aufgabe in einem einzelnen Methodenaufruf und ist eine einfachere Alternative zu den StartNew Methode.The Run method allows you to create and execute a task in a single method call and is a simpler alternative to the StartNew method. Es erstellt eine Aufgabe mit den folgenden Standardwerten:It creates a task with the following default values:
Wird von dessen abbrechbarkeitstoken CancellationToken.None.Its cancellation token is CancellationToken.None.
Die CreationOptions Eigenschaftswert ist TaskCreationOptions.DenyChildAttach.Its CreationOptions property value is TaskCreationOptions.DenyChildAttach.
Den standardmäßige Taskplaner verwendet.It uses the default task scheduler.
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run(Func<Task>) Run(Func<Task>) Run(Func<Task>) Run(Func<Task>)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Aufgabe zurück, die von function
zurückgegeben wird.Queues the specified work to run on the thread pool and returns a proxy for the task returned by function
.
public:
static System::Threading::Tasks::Task ^ Run(Func<System::Threading::Tasks::Task ^> ^ function);
public static System.Threading.Tasks.Task Run (Func<System.Threading.Tasks.Task> function);
static member Run : Func<System.Threading.Tasks.Task> -> System.Threading.Tasks.Task
Public Shared Function Run (function As Func(Of Task)) As Task
Parameter
Gibt zurück
Eine Aufgabe, die einen Proxy für die Aufgabe darstellt, die durch function
zurückgegeben wird.A task that represents a proxy for the task returned by function
.
Ausnahmen
Der function
-Parameter war null
.The function
parameter was null
.
Hinweise
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run(Action, CancellationToken) Run(Action, CancellationToken) Run(Action, CancellationToken)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task object that represents that work. Ein Abbruchtoken ermöglicht den Abbruch der Arbeit.A cancellation token allows the work to be cancelled.
public:
static System::Threading::Tasks::Task ^ Run(Action ^ action, System::Threading::CancellationToken cancellationToken);
public static System.Threading.Tasks.Task Run (Action action, System.Threading.CancellationToken cancellationToken);
static member Run : Action * System.Threading.CancellationToken -> System.Threading.Tasks.Task
Parameter
Die asynchron auszuführende Arbeit.The work to execute asynchronously
- cancellationToken
- CancellationToken CancellationToken CancellationToken CancellationToken
Ein Abbruchtoken, das verwendet werden kann, um die Arbeit abzubrechen.A cancellation token that can be used to cancel the work
Gibt zurück
Eine Aufgabe, die die Arbeit darstellt, die sich in der Warteschlange befindet, um im Threadpool ausgeführt zu werden.A task that represents the work queued to execute in the thread pool.
Ausnahmen
Der action
-Parameter war null
.The action
parameter was null
.
Die Aufgabe wurde abgebrochen.The task has been canceled.
Die cancellationToken
zugeordnete CancellationTokenSource wurde verworfen.The CancellationTokenSource associated with cancellationToken
was disposed.
Beispiele
Im folgenden Beispiel wird die Run(Action, CancellationToken) Methode, um eine Aufgabe zu erstellen, die die Dateien in das Verzeichnis C:\Windows\System32 durchläuft.The following example calls the Run(Action, CancellationToken) method to create a task that iterates the files in the C:\Windows\System32 directory. Ruft die Lambda-Ausdruck die Parallel.ForEach Methode, um Informationen zu jeder Datei zum Hinzufügen einer List<T> Objekt.The lambda expression calls the Parallel.ForEach method to add information about each file to a List<T> object. Jede getrennt geschachtelte Aufgabe aufgerufen, indem die Parallel.ForEach Schleife überprüft den Status des Abbruchtokens und, wenn der Abbruch angefordert wird, ruft der CancellationToken.ThrowIfCancellationRequested Methode.Each detached nested task invoked by the Parallel.ForEach loop checks the state of the cancellation token and, if cancellation is requested, calls the CancellationToken.ThrowIfCancellationRequested method. Die CancellationToken.ThrowIfCancellationRequested -Methode löst eine OperationCanceledException in behandelte Ausnahme einer catch
blockieren, wenn der aufrufende Thread Ruft die Task.Wait Methode.The CancellationToken.ThrowIfCancellationRequested method throws an OperationCanceledException exception that is handled in a catch
block when the calling thread calls the Task.Wait method.
using System;
using System.Collections.Generic;
using System.IO;
using System.Threading;
using System.Threading.Tasks;
public class Example
{
public static async Task Main()
{
var tokenSource = new CancellationTokenSource();
var token = tokenSource.Token;
var files = new List<Tuple<string, string, long, DateTime>>();
var t = Task.Run( () => { string dir = "C:\\Windows\\System32\\";
object obj = new Object();
if (Directory.Exists(dir)) {
Parallel.ForEach(Directory.GetFiles(dir),
f => {
if (token.IsCancellationRequested)
token.ThrowIfCancellationRequested();
var fi = new FileInfo(f);
lock(obj) {
files.Add(Tuple.Create(fi.Name, fi.DirectoryName, fi.Length, fi.LastWriteTimeUtc));
}
});
}
}
, token);
await Task.Yield();
tokenSource.Cancel();
try {
await t;
Console.WriteLine("Retrieved information for {0} files.", files.Count);
}
catch (AggregateException e) {
Console.WriteLine("Exception messages:");
foreach (var ie in e.InnerExceptions)
Console.WriteLine(" {0}: {1}", ie.GetType().Name, ie.Message);
Console.WriteLine("\nTask status: {0}", t.Status);
}
finally {
tokenSource.Dispose();
}
}
}
// The example displays the following output:
// Exception messages:
// TaskCanceledException: A task was canceled.
// TaskCanceledException: A task was canceled.
// ...
//
// Task status: Canceled
Imports System.Collections.Generic
Imports System.IO
Imports System.Threading
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Dim tokenSource As New CancellationTokenSource()
Dim token As CancellationToken = tokenSource.Token
Dim files As New List(Of Tuple(Of String, String, Long, Date))()
Dim t As Task = Task.Run( Sub()
Dim dir As String = "C:\Windows\System32\"
Dim obj As New Object()
If Directory.Exists(dir)Then
Parallel.ForEach(Directory.GetFiles(dir),
Sub(f)
If token.IsCancellationRequested Then
token.ThrowIfCancellationRequested()
End If
Dim fi As New FileInfo(f)
SyncLock(obj)
files.Add(Tuple.Create(fi.Name, fi.DirectoryName, fi.Length, fi.LastWriteTimeUtc))
End SyncLock
End Sub)
End If
End Sub, token)
tokenSource.Cancel()
Try
t.Wait()
Console.WriteLine("Retrieved information for {0} files.", files.Count)
Catch e As AggregateException
Console.WriteLine("Exception messages:")
For Each ie As Exception In e.InnerExceptions
Console.WriteLine(" {0}:{1}", ie.GetType().Name, ie.Message)
Next
Console.WriteLine()
Console.WriteLine("Task status: {0}", t.Status)
Finally
tokenSource.Dispose()
End Try
End Sub
End Module
' The example displays the following output:
' Exception messages:
' TaskCanceledException: A task was canceled.
'
' Task status: Canceled
Hinweise
Wenn der Abbruch angefordert wird, bevor der Task die Ausführung beginnt, wird die Aufgabe nicht ausgeführt.If cancellation is requested before the task begins execution, the task does not execute. Stattdessen wird er auf festgelegt die Canceled Zustand und löst eine TaskCanceledException Ausnahme.Instead it is set to the Canceled state and throws a TaskCanceledException exception.
Die Run(Action, CancellationToken) Methode ist eine einfachere Alternative zu den TaskFactory.StartNew(Action, CancellationToken) Methode.The Run(Action, CancellationToken) method is a simpler alternative to the TaskFactory.StartNew(Action, CancellationToken) method. Es erstellt eine Aufgabe mit den folgenden Standardwerten:It creates a task with the following default values:
Die CreationOptions Eigenschaftswert ist TaskCreationOptions.DenyChildAttach.Its CreationOptions property value is TaskCreationOptions.DenyChildAttach.
Den standardmäßige Taskplaner verwendet.It uses the default task scheduler.
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run(Func<Task>, CancellationToken) Run(Func<Task>, CancellationToken) Run(Func<Task>, CancellationToken)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Aufgabe zurück, die von function
zurückgegeben wird.Queues the specified work to run on the thread pool and returns a proxy for the task returned by function
.
public:
static System::Threading::Tasks::Task ^ Run(Func<System::Threading::Tasks::Task ^> ^ function, System::Threading::CancellationToken cancellationToken);
public static System.Threading.Tasks.Task Run (Func<System.Threading.Tasks.Task> function, System.Threading.CancellationToken cancellationToken);
static member Run : Func<System.Threading.Tasks.Task> * System.Threading.CancellationToken -> System.Threading.Tasks.Task
Parameter
- cancellationToken
- CancellationToken CancellationToken CancellationToken CancellationToken
Ein Abbruchtoken, das verwendet werden soll, um die Arbeit abzubrechen.A cancellation token that should be used to cancel the work.
Gibt zurück
Eine Aufgabe, die einen Proxy für die Aufgabe darstellt, die durch function
zurückgegeben wird.A task that represents a proxy for the task returned by function
.
Ausnahmen
Der function
-Parameter war null
.The function
parameter was null
.
Die Aufgabe wurde abgebrochen.The task has been canceled.
Die cancellationToken
zugeordnete CancellationTokenSource wurde verworfen.The CancellationTokenSource associated with cancellationToken
was disposed.
Hinweise
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run<TResult>(Func<TResult>, CancellationToken) Run<TResult>(Func<TResult>, CancellationToken) Run<TResult>(Func<TResult>, CancellationToken)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task(TResult)
-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task(TResult)
object that represents that work. Ein Abbruchtoken ermöglicht den Abbruch der Arbeit.A cancellation token allows the work to be cancelled.
public:
generic <typename TResult>
static System::Threading::Tasks::Task<TResult> ^ Run(Func<TResult> ^ function, System::Threading::CancellationToken cancellationToken);
public static System.Threading.Tasks.Task<TResult> Run<TResult> (Func<TResult> function, System.Threading.CancellationToken cancellationToken);
static member Run : Func<'Result> * System.Threading.CancellationToken -> System.Threading.Tasks.Task<'Result>
Typparameter
- TResult
Der Ergebnistyp der Aufgabe.The result type of the task.
Parameter
Die asynchron auszuführende Arbeit.The work to execute asynchronously
- cancellationToken
- CancellationToken CancellationToken CancellationToken CancellationToken
Ein Abbruchtoken, das verwendet werden soll, um die Arbeit abzubrechen.A cancellation token that should be used to cancel the work
Gibt zurück
Eine Task(TResult)
die die Arbeit darstellt, die sich in der Warteschlange befindet, um im Threadpool ausgeführt zu werden.A Task(TResult)
that represents the work queued to execute in the thread pool.
Ausnahmen
Der function
-Parameter ist null
.The function
parameter is null
.
Die Aufgabe wurde abgebrochen.The task has been canceled.
Die cancellationToken
zugeordnete CancellationTokenSource wurde verworfen.The CancellationTokenSource associated with cancellationToken
was disposed.
Beispiele
Das folgende Beispiel erstellt 20 Aufgaben, die Schleife durchlaufen werden, bis auf einen Wert von 2 Millionen erhöht wird.The following example creates 20 tasks that will loop until a counter is incremented to a value of 2 million. Wenn die ersten 10 Aufgaben 2 Millionen erreichen, wird das Abbruchtoken abgebrochen wird, und alle Aufgaben, deren Leistungsindikatoren 2 Millionen nicht erreicht haben, werden abgebrochen.When the first 10 tasks reach 2 million, the cancellation token is cancelled, and any tasks whose counters have not reached 2 million are cancelled. Das Beispiel zeigt mögliche Ausgabe.The example shows possible output.
using System;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
var tasks = new List<Task<int>>();
var source = new CancellationTokenSource();
var token = source.Token;
int completedIterations = 0;
for (int n = 0; n <= 19; n++)
tasks.Add(Task.Run( () => { int iterations = 0;
for (int ctr = 1; ctr <= 2000000; ctr++) {
token.ThrowIfCancellationRequested();
iterations++;
}
Interlocked.Increment(ref completedIterations);
if (completedIterations >= 10)
source.Cancel();
return iterations; }, token));
Console.WriteLine("Waiting for the first 10 tasks to complete...\n");
try {
Task.WaitAll(tasks.ToArray());
}
catch (AggregateException) {
Console.WriteLine("Status of tasks:\n");
Console.WriteLine("{0,10} {1,20} {2,14:N0}", "Task Id",
"Status", "Iterations");
foreach (var t in tasks)
Console.WriteLine("{0,10} {1,20} {2,14}",
t.Id, t.Status,
t.Status != TaskStatus.Canceled ? t.Result.ToString("N0") : "n/a");
}
}
}
// The example displays output like the following:
// Waiting for the first 10 tasks to complete...
// Status of tasks:
//
// Task Id Status Iterations
// 1 RanToCompletion 2,000,000
// 2 RanToCompletion 2,000,000
// 3 RanToCompletion 2,000,000
// 4 RanToCompletion 2,000,000
// 5 RanToCompletion 2,000,000
// 6 RanToCompletion 2,000,000
// 7 RanToCompletion 2,000,000
// 8 RanToCompletion 2,000,000
// 9 RanToCompletion 2,000,000
// 10 Canceled n/a
// 11 Canceled n/a
// 12 Canceled n/a
// 13 Canceled n/a
// 14 Canceled n/a
// 15 Canceled n/a
// 16 RanToCompletion 2,000,000
// 17 Canceled n/a
// 18 Canceled n/a
// 19 Canceled n/a
// 20 Canceled n/a
Imports System.Collections.Generic
Imports System.Threading
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Dim tasks As New List(Of Task(Of Integer))()
Dim source As New CancellationTokenSource
Dim token As CancellationToken = source.Token
Dim completedIterations As Integer = 0
For n As Integer = 0 To 19
tasks.Add(Task.Run( Function()
Dim iterations As Integer= 0
For ctr As Long = 1 To 2000000
token.ThrowIfCancellationRequested()
iterations += 1
Next
Interlocked.Increment(completedIterations)
If completedIterations >= 10 Then source.Cancel()
Return iterations
End Function, token))
Next
Console.WriteLine("Waiting for the first 10 tasks to complete... ")
Try
Task.WaitAll(tasks.ToArray())
Catch e As AggregateException
Console.WriteLine("Status of tasks:")
Console.WriteLine()
Console.WriteLine("{0,10} {1,20} {2,14}", "Task Id",
"Status", "Iterations")
For Each t In tasks
Console.WriteLine("{0,10} {1,20} {2,14}",
t.Id, t.Status,
If(t.Status <> TaskStatus.Canceled,
t.Result.ToString("N0"), "n/a"))
Next
End Try
End Sub
End Module
' The example displays output like the following:
' Waiting for the first 10 tasks to complete...
' Status of tasks:
'
' Task Id Status Iterations
' 1 RanToCompletion 2,000,000
' 2 RanToCompletion 2,000,000
' 3 RanToCompletion 2,000,000
' 4 RanToCompletion 2,000,000
' 5 RanToCompletion 2,000,000
' 6 RanToCompletion 2,000,000
' 7 RanToCompletion 2,000,000
' 8 RanToCompletion 2,000,000
' 9 RanToCompletion 2,000,000
' 10 Canceled n/a
' 11 Canceled n/a
' 12 Canceled n/a
' 13 Canceled n/a
' 14 Canceled n/a
' 15 Canceled n/a
' 16 RanToCompletion 2,000,000
' 17 Canceled n/a
' 18 Canceled n/a
' 19 Canceled n/a
' 20 Canceled n/a
Anstatt die InnerExceptions Eigenschaft untersuchen Sie Ausnahmen, im Beispiel durchläuft alle Aufgaben aus, um zu bestimmen, die erfolgreich abgeschlossen wurden und die abgebrochen wurden.Instead of using the InnerExceptions property to examine exceptions, the example iterates all tasks to determine which have completed successfully and which have been cancelled. Für diejenigen, die abgeschlossen wurden, wird die von der Aufgabe zurückgegebenen Werts angezeigt.For those that have completed, it displays the value returned by the task.
Da der Aufgabenabbruch kooperativ ist, können jede Aufgabe wie Sie auf den Abbruch zu reagieren.Because cancellation is cooperative, each task can decide how to respond to cancellation. Im folgende Beispiel ist wie der erste, außer dass, nachdem das Token abgebrochen wird, Aufgaben die Anzahl der Iterationen zurück, die Sie ausgeführt haben und nicht als eine Ausnahme auslösen.The following example is like the first, except that, once the token is cancelled, tasks return the number of iterations they've completed rather than throw an exception.
using System;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
var tasks = new List<Task<int>>();
var source = new CancellationTokenSource();
var token = source.Token;
int completedIterations = 0;
for (int n = 0; n <= 19; n++)
tasks.Add(Task.Run( () => { int iterations = 0;
for (int ctr = 1; ctr <= 2000000; ctr++) {
if (token.IsCancellationRequested)
return iterations;
iterations++;
}
Interlocked.Increment(ref completedIterations);
if (completedIterations >= 10)
source.Cancel();
return iterations; }, token));
Console.WriteLine("Waiting for the first 10 tasks to complete...\n");
try {
Task.WaitAll(tasks.ToArray());
}
catch (AggregateException) {
Console.WriteLine("Status of tasks:\n");
Console.WriteLine("{0,10} {1,20} {2,14:N0}", "Task Id",
"Status", "Iterations");
foreach (var t in tasks)
Console.WriteLine("{0,10} {1,20} {2,14}",
t.Id, t.Status,
t.Status != TaskStatus.Canceled ? t.Result.ToString("N0") : "n/a");
}
}
}
// The example displays output like the following:
// Status of tasks:
//
// Task Id Status Iterations
// 1 RanToCompletion 2,000,000
// 2 RanToCompletion 2,000,000
// 3 RanToCompletion 2,000,000
// 4 RanToCompletion 2,000,000
// 5 RanToCompletion 2,000,000
// 6 RanToCompletion 2,000,000
// 7 RanToCompletion 2,000,000
// 8 RanToCompletion 2,000,000
// 9 RanToCompletion 2,000,000
// 10 RanToCompletion 1,658,326
// 11 RanToCompletion 1,988,506
// 12 RanToCompletion 2,000,000
// 13 RanToCompletion 1,942,246
// 14 RanToCompletion 950,108
// 15 RanToCompletion 1,837,832
// 16 RanToCompletion 1,687,182
// 17 RanToCompletion 194,548
// 18 Canceled Not Started
// 19 Canceled Not Started
// 20 Canceled Not Started
Imports System.Collections.Generic
Imports System.Threading
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Dim tasks As New List(Of Task(Of Integer))()
Dim source As New CancellationTokenSource
Dim token As CancellationToken = source.Token
Dim completedIterations As Integer = 0
For n As Integer = 0 To 19
tasks.Add(Task.Run( Function()
Dim iterations As Integer= 0
For ctr As Long = 1 To 2000000
If token.IsCancellationRequested Then
Return iterations
End If
iterations += 1
Next
Interlocked.Increment(completedIterations)
If completedIterations >= 10 Then source.Cancel()
Return iterations
End Function, token))
Next
Try
Task.WaitAll(tasks.ToArray())
Catch e As AggregateException
Console.WriteLine("Status of tasks:")
Console.WriteLine()
Console.WriteLine("{0,10} {1,20} {2,14:N0}", "Task Id",
"Status", "Iterations")
For Each t In tasks
Console.WriteLine("{0,10} {1,20} {2,14}",
t.Id, t.Status,
If(t.Status <> TaskStatus.Canceled,
t.Result.ToString("N0"), "Not Started"))
Next
End Try
End Sub
End Module
' The example displays output like the following:
' Status of tasks:
'
' Task Id Status Iterations
' 1 RanToCompletion 2,000,000
' 2 RanToCompletion 2,000,000
' 3 RanToCompletion 2,000,000
' 4 RanToCompletion 2,000,000
' 5 RanToCompletion 2,000,000
' 6 RanToCompletion 2,000,000
' 7 RanToCompletion 2,000,000
' 8 RanToCompletion 2,000,000
' 9 RanToCompletion 2,000,000
' 10 RanToCompletion 1,658,326
' 11 RanToCompletion 1,988,506
' 12 RanToCompletion 2,000,000
' 13 RanToCompletion 1,942,246
' 14 RanToCompletion 950,108
' 15 RanToCompletion 1,837,832
' 16 RanToCompletion 1,687,182
' 17 RanToCompletion 194,548
' 18 Canceled Not Started
' 19 Canceled Not Started
' 20 Canceled Not Started
Das Beispiel weiterhin verarbeiten muss die AggregateException Ausnahme, da alle Aufgaben, die nicht gestartet wurden, wenn der Abbruch angefordert wird, immer noch eine Ausnahme ausgelöst.The example still must handle the AggregateException exception, since any tasks that have not started when cancellation is requested still throw an exception.
Hinweise
Wenn der Abbruch angefordert wird, bevor der Task die Ausführung beginnt, wird die Aufgabe nicht ausgeführt.If cancellation is requested before the task begins execution, the task does not execute. Stattdessen wird er auf festgelegt die Canceled Zustand und löst eine TaskCanceledException Ausnahme.Instead it is set to the Canceled state and throws a TaskCanceledException exception.
Die Run Methode ist eine einfachere Alternative zu den StartNew Methode.The Run method is a simpler alternative to the StartNew method. Es erstellt eine Aufgabe mit den folgenden Standardwerten:It creates a task with the following default values:
Die CreationOptions Eigenschaftswert ist TaskCreationOptions.DenyChildAttach.Its CreationOptions property value is TaskCreationOptions.DenyChildAttach.
Den standardmäßige Taskplaner verwendet.It uses the default task scheduler.
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run<TResult>(Func<Task<TResult>>, CancellationToken) Run<TResult>(Func<Task<TResult>>, CancellationToken) Run<TResult>(Func<Task<TResult>>, CancellationToken)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Task(TResult)
zurück, die von function
zurückgegeben wird.Queues the specified work to run on the thread pool and returns a proxy for the Task(TResult)
returned by function
.
public:
generic <typename TResult>
static System::Threading::Tasks::Task<TResult> ^ Run(Func<System::Threading::Tasks::Task<TResult> ^> ^ function, System::Threading::CancellationToken cancellationToken);
public static System.Threading.Tasks.Task<TResult> Run<TResult> (Func<System.Threading.Tasks.Task<TResult>> function, System.Threading.CancellationToken cancellationToken);
static member Run : Func<System.Threading.Tasks.Task<'Result>> * System.Threading.CancellationToken -> System.Threading.Tasks.Task<'Result>
Typparameter
- TResult
Der Typ des von der Proxy-Aufgabe zurückgegebenen Ergebnisses.The type of the result returned by the proxy task.
Parameter
- cancellationToken
- CancellationToken CancellationToken CancellationToken CancellationToken
Ein Abbruchtoken, das verwendet werden soll, um die Arbeit abzubrechen.A cancellation token that should be used to cancel the work
Gibt zurück
Eine Task(TResult)
, die einen Proxy für die Task(TResult)
darstellt, die durch function
zurückgegeben wird.A Task(TResult)
that represents a proxy for the Task(TResult)
returned by function
.
Ausnahmen
Der function
-Parameter war null
.The function
parameter was null
.
Die Aufgabe wurde abgebrochen.The task has been canceled.
Die cancellationToken
zugeordnete CancellationTokenSource wurde verworfen.The CancellationTokenSource associated with cancellationToken
was disposed.
Hinweise
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>) Run<TResult>(Func<Task<TResult>>)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschleife hinzu und gibt einen Proxy für die Task(TResult)
zurück, die von function
zurückgegeben wird.Queues the specified work to run on the thread pool and returns a proxy for the Task(TResult)
returned by function
.
public:
generic <typename TResult>
static System::Threading::Tasks::Task<TResult> ^ Run(Func<System::Threading::Tasks::Task<TResult> ^> ^ function);
public static System.Threading.Tasks.Task<TResult> Run<TResult> (Func<System.Threading.Tasks.Task<TResult>> function);
static member Run : Func<System.Threading.Tasks.Task<'Result>> -> System.Threading.Tasks.Task<'Result>
Public Shared Function Run(Of TResult) (function As Func(Of Task(Of TResult))) As Task(Of TResult)
Typparameter
- TResult
Der Typ des von der Proxy-Aufgabe zurückgegebenen Ergebnisses.The type of the result returned by the proxy task.
Parameter
Gibt zurück
Eine Task(TResult)
, die einen Proxy für die Task(TResult)
darstellt, die durch function
zurückgegeben wird.A Task(TResult)
that represents a proxy for the Task(TResult)
returned by function
.
Ausnahmen
Der function
-Parameter war null
.The function
parameter was null
.
Hinweise
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>) Run<TResult>(Func<TResult>)
Fügt die angegebene Verarbeitung zur Ausführung im Threadpool der Warteschlange hinzu und gibt ein Task<TResult>-Objekt zurück, das diese Aufgabe darstellt.Queues the specified work to run on the thread pool and returns a Task<TResult> object that represents that work.
public:
generic <typename TResult>
static System::Threading::Tasks::Task<TResult> ^ Run(Func<TResult> ^ function);
public static System.Threading.Tasks.Task<TResult> Run<TResult> (Func<TResult> function);
static member Run : Func<'Result> -> System.Threading.Tasks.Task<'Result>
Public Shared Function Run(Of TResult) (function As Func(Of TResult)) As Task(Of TResult)
Typparameter
- TResult
Der Rückgabetyp der Aufgabe.The return type of the task.
Parameter
Die asynchron auszuführende Arbeit.The work to execute asynchronously.
Gibt zurück
Ein Aufgabenobjekt, das die Arbeit darstellt, die sich in der Warteschlange befindet, um im Threadpool ausgeführt zu werden.A task object that represents the work queued to execute in the thread pool.
Ausnahmen
Der function
-Parameter ist null
.The function
parameter is null
.
Beispiele
Im folgende Beispiel wird die ungefähre Anzahl der Wörter im Textdateien, die veröffentlichten Bücher darstellen.The following example counts the approximate number of words in text files that represent published books. Jede Aufgabe ist verantwortlich für eine Datei zu öffnen, lesen den gesamten Inhalt asynchron und berechnen die Anzahl der Wörter mithilfe eines regulären Ausdrucks.Each task is responsible for opening a file, reading its entire contents asynchronously, and calculating the word count by using a regular expression. Die WaitAll(Task[]) Methode wird aufgerufen, um sicherzustellen, dass alle Aufgaben abgeschlossen haben, bevor Sie die Anzahl der Wörter für jedes Buch in der Konsole anzeigen.The WaitAll(Task[]) method is called to ensure that all tasks have completed before displaying the word count of each book to the console.
using System;
using System.IO;
using System.Text.RegularExpressions;
using System.Threading.Tasks;
public class Example
{
public static void Main()
{
string pattern = @"\p{P}*\s+";
string[] titles = { "Sister Carrie", "The Financier" };
Task<int>[] tasks = new Task<int>[titles.Length];
for (int ctr = 0; ctr < titles.Length; ctr++) {
string s = titles[ctr];
tasks[ctr] = Task.Run( () => {
// Number of words.
int nWords = 0;
// Create filename from title.
string fn = s + ".txt";
if (File.Exists(fn)) {
StreamReader sr = new StreamReader(fn);
string input = sr.ReadToEndAsync().Result;
nWords = Regex.Matches(input, pattern).Count;
}
return nWords;
} );
}
Task.WaitAll(tasks);
Console.WriteLine("Word Counts:\n");
for (int ctr = 0; ctr < titles.Length; ctr++)
Console.WriteLine("{0}: {1,10:N0} words", titles[ctr], tasks[ctr].Result);
}
}
// The example displays the following output:
// Sister Carrie: 159,374 words
// The Financier: 196,362 words
Imports System.IO
Imports System.Text.RegularExpressions
Imports System.Threading.Tasks
Module Example
Public Sub Main()
Dim pattern As String = "\p{P}*\s+"
Dim titles() As String = { "Sister Carrie",
"The Financier" }
Dim tasks(titles.Length - 1) As Task(Of Integer)
For ctr As Integer = 0 To titles.Length - 1
Dim s As String = titles(ctr)
tasks(ctr) = Task.Run( Function()
' Number of words.
Dim nWords As Integer = 0
' Create filename from title.
Dim fn As String = s + ".txt"
If File.Exists(fn) Then
Dim sr As New StreamReader(fn)
Dim input As String = sr.ReadToEndAsync().Result
nWords = Regex.Matches(input, pattern).Count
End If
Return nWords
End Function)
Next
Task.WaitAll(tasks)
Console.WriteLine("Word Counts:")
Console.WriteLine()
For ctr As Integer = 0 To titles.Length - 1
Console.WriteLine("{0}: {1,10:N0} words", titles(ctr), tasks(ctr).Result)
Next
End Sub
End Module
' The example displays the following output:
' Sister Carrie: 159,374 words
' The Financier: 196,362 words
Der reguläre Ausdruck \p{P}*\s+
entspricht 0 (null), eine oder mehrere Interpunktionszeichen, gefolgt von einem oder mehreren Leerzeichen.The regular expression \p{P}*\s+
matches zero, one, or more punctuation characters followed by one or more white-space characters. Es wird davon ausgegangen, dass die Gesamtzahl der Übereinstimmungen wortzählung ungefähr gleich ist.It assumes that the total number of matches equals the approximate word count.
Hinweise
Die Run Methode ist eine einfachere Alternative zu den TaskFactory.StartNew(Action) Methode.The Run method is a simpler alternative to the TaskFactory.StartNew(Action) method. Es erstellt eine Aufgabe mit den folgenden Standardwerten:It creates a task with the following default values:
Wird von dessen abbrechbarkeitstoken CancellationToken.None.Its cancellation token is CancellationToken.None.
Die CreationOptions Eigenschaftswert ist TaskCreationOptions.DenyChildAttach.Its CreationOptions property value is TaskCreationOptions.DenyChildAttach.
Den standardmäßige Taskplaner verwendet.It uses the default task scheduler.
Informationen zur Behandlung von Ausnahmen, die durch Vorgänge ausgelöst werden, finden Sie unter Exception Handling.For information on handling exceptions thrown by task operations, see Exception Handling.
- Siehe auch
Gilt für:
Feedback
Wir möchten gern Ihre Meinung hören. Wählen Sie aus, welche Art Feedback Sie uns geben möchten:
Unser Feedbacksystem basiert auf GitHub Issues. Weitere Informationen finden Sie in unserem Blog.
Feedback wird geladen...