任務調度

来源:https://www.cnblogs.com/BigBrotherStone/archive/2020/02/01/12249615.html
-Advertisement-
Play Games

" 返回《C 併發編程》" "1. 調度到線程池" "2. 任務調度器" "2.1. Default 調度器" "2.2. 捕獲當前同步上下文 調度器" "2.3. ConcurrentExclusiveSchedulerPair 調度器" "3. 調度並行代碼" "4. 用調度器實現數據流的同步" ...


>>返回《C# 併發編程》

1. 調度到線程池

Task task = Task.Run(() =>
{
    Thread.Sleep(TimeSpan.FromSeconds(2));
});

Task.Run 也能正常地返回結果,能使用非同步 Lambda 表達式。下麵代碼中 Task.Run 返回的 task 會在 2 秒後完成,並返回結果 13:

Task<int> task = Task.Run(async () =>
{ 
    await Task.Delay(TimeSpan.FromSeconds(2));
    return 13;
});

Task.Run 返回一個 Task (或 Task<T>)對象,該對象可以被非同步或響應式代碼正常使用。

註意: 但不要在 ASP.NET 中使用 Task.Run,除非你有絕對的把握。在 ASP.NET 中, 處理請求的代碼本來就是在 ASP.NET 線程池線程中運行的,強行把它放到另一個線程池線程通常會適得其反。
但UI程式,使用Task.Run可以執行耗時操作,有效的防止頁面卡住問題。

在進行動態並行開發時, 一定要用 Task.Factory.StartNew 來代替 Task.Run

  • 因為根據預設配置, Task.Run 返回的 Task 對象適合被非同步調用(即被非同步代碼或響應式代碼使用)。
  • Task.Run 也不支持動態並行代碼中普遍使用的高級概念,例如 父/子任務。

2. 任務調度器

需要讓多個代碼段按照指定的方式運行。例如

  • 讓所有代碼段在 UI 線程中運行
  • 只允許特定數量的代碼段同時運行。

2.1. Default 調度器

TaskScheduler.Default,它的作用是讓任務在線程池中排隊, Task.Run、並行、數據流的代碼用的都是 TaskScheduler.Default

2.2. 捕獲當前同步上下文 調度器

可以捕獲一個特定的上下文,用 TaskScheduler.FromCurrentSynchronizationContext 調度任務,讓它回到該上下文:

TaskScheduler scheduler = TaskScheduler.FromCurrentSynchronizationContext();
這條語句創建了一個捕獲當前 同步上下文TaskScheduler 對象,並將代碼調度到這個上下文中

  • SynchronizationContext 類表示一個通用的調度上下文。
  • 大多數 UI 框架有一個表示 UI 線程的 同步上下文
  • ASP.NET 有一個表示 HTTP 請求的 同步上下文

建議:
在 UI 線程上執行代碼時,永遠不要使用針對特定平臺的類型。 + WPF、IOS、Android 都有 Dispatcher

  • Windows 應用商店平臺使用 CoreDispatcher
  • WinForms 有 ISynchronizeInvoke 介面(即 Control.Invoke

不要在新寫的代碼中使用這些類型,就當它們不存在吧。使用這些類型會使代碼無謂地綁定在某個特定平臺上。

同步上下文 是通用的、基於上述類型的抽象類。

2.3. ConcurrentExclusiveSchedulerPair 調度器

它實際上是兩個互相關聯的調度器。 只要 ExclusiveScheduler 上沒有運行任務, ConcurrentScheduler 就可以讓多個任務同時執行。只有當 ConcurrentScheduler 沒有執行任務時, ExclusiveScheduler 才可以執行任務,並且每次只允許運行一個任務:

public static void ConcurrentExclusiveSchedulerPairRun()
{
    var schedulerPair = new ConcurrentExclusiveSchedulerPair(TaskScheduler.Default, maxConcurrencyLevel: 2);
    //由於並行被限流,所以ConcurrentScheduler 會兩個兩個輸出,然後執行完這兩個開啟的8個串列任務
    TaskScheduler concurrent = schedulerPair.ConcurrentScheduler;
    TaskScheduler exclusive = schedulerPair.ExclusiveScheduler;

    //Default 由於沒有限制,所以第一層會先輸出,全部隨機
    // TaskScheduler concurrent = TaskScheduler.Default;
    // TaskScheduler exclusive =TaskScheduler.Default;

    var list = new List<List<int>>();
    for (int i = 0; i < 4; i++)
    {
        var actionList = new List<int>();
        list.Add(actionList);
        for (int j = 0; j < 4; j++)
        {
            actionList.Add(i * 10 + j);
        }
    }

    var tasks = list.Select(u => Task.Factory.StartNew(state =>
    {
        System.Console.WriteLine($"ConcurrentScheduler");
        ((List<int>)state).Select(i => Task.Factory.StartNew(state2 => System.Console.WriteLine($"ExclusiveScheduler:{state2}"), i, CancellationToken.None, TaskCreationOptions.None, exclusive)).ToArray();
    }, u, CancellationToken.None, TaskCreationOptions.None, concurrent));


    Task.WaitAll(tasks.ToArray());
}

輸出:

ConcurrentScheduler
ConcurrentScheduler
ExclusiveScheduler:0
ExclusiveScheduler:1
ExclusiveScheduler:2
ExclusiveScheduler:3
ExclusiveScheduler:10
ExclusiveScheduler:11
ExclusiveScheduler:12
ExclusiveScheduler:13
ConcurrentScheduler
ConcurrentScheduler
ExclusiveScheduler:20
ExclusiveScheduler:21
ExclusiveScheduler:22
ExclusiveScheduler:23
ExclusiveScheduler:30
ExclusiveScheduler:31
ExclusiveScheduler:32
ExclusiveScheduler:33

ConcurrentExclusiveSchedulerPair 的常見用法是

  • ExclusiveScheduler 來確保每次只運行一個任務。
  • ExclusiveScheduler 執行的代碼會線上程池中運行,但是使用了同一個 ExclusiveScheduler 對象的其他代碼不能同時運行。

ConcurrentExclusiveSchedulerPair 的另一個用法是作為限流調度器。

  • 創建的 ConcurrentExclusiveSchedulerPair 對象可以限制自身的併發數量。
  • 這時通常不使用 ExclusiveScheduler
var schedulerPair = new ConcurrentExclusiveSchedulerPair(TaskScheduler.Default,maxConcurrencyLevel: 8);
TaskScheduler scheduler = schedulerPair.ConcurrentScheduler;

3. 調度並行代碼

public static void RotateMatricesRun()
{
    List<List<Action<float>>> actionLists = new List<List<Action<float>>>();
    for (int i = 0; i < 15; i++)
    {
        var actionList = new List<Action<float>>();
        actionLists.Add(actionList);
        for (int j = 0; j < 15; j++)
        {
            actionList.Add(new Action<float>(degrees =>
            {
                Thread.Sleep(200);
                System.Console.WriteLine("degrees:" + degrees + " " + DateTime.Now.ToString("HHmmss.fff"));
            }));
        }
    }
    RotateMatrices(actionLists, 10);
    //雖然兩個並行嵌套但是由於調度器的設置,導致任務是8個8個執行的,結果是8個後200ms再8個
}

static void RotateMatrices(IEnumerable<IEnumerable<Action<float>>> collections, float degrees)
{
    var schedulerPair = new ConcurrentExclusiveSchedulerPair(TaskScheduler.Default, maxConcurrencyLevel: 8);
    TaskScheduler scheduler = schedulerPair.ConcurrentScheduler;
    ParallelOptions options = new ParallelOptions
    {
        TaskScheduler = scheduler
    };
    Parallel.ForEach(collections, options,
        matrices =>
        {
            Parallel.ForEach(matrices,
                options,
                matrix => matrix.Invoke(degrees)
            );
            System.Console.WriteLine($"============");
        });
}

輸出:

degrees:10 190424.120
...  118個 ...
degrees:10 190426.963
============
============
============
============
============
============
============
============
degrees:10 190427.167
...  6個 ...
degrees:10 190427.167
... 5個 ...
degrees:10 190428.589
...  6個 ...
degrees:10 190428.589
degrees:10 190428.791
degrees:10 190428.791
degrees:10 190428.791
degrees:10 190428.791
degrees:10 190428.791
degrees:10 190428.791
============
degrees:10 190428.791
degrees:10 190428.791
degrees:10 190428.994
...  6個 ...
degrees:10 190428.994
============
degrees:10 190429.194
...  6個 ...
degrees:10 190429.194
============
degrees:10 190429.395
degrees:10 190429.395
degrees:10 190429.395
degrees:10 190429.395
degrees:10 190429.395
============
degrees:10 190429.395
degrees:10 190429.395
degrees:10 190429.395
degrees:10 190429.598
degrees:10 190429.598
degrees:10 190429.598
degrees:10 190429.598
============
degrees:10 190429.598
degrees:10 190429.598
degrees:10 190429.598
degrees:10 190429.598
============
degrees:10 190429.800
============

4. 用調度器實現數據流的同步

Stopwatch sw = Stopwatch.StartNew();
// 模擬 UI同步上下文
AsyncContext.Run(() =>
{
    var options = new ExecutionDataflowBlockOptions
    {
        //使用次調度器,則代碼會放到創建線程的同步上下文上執行(若是當前同步上下文是UI Context 或 此例的AsyncContext)
        //運行和註釋下行運行觀察Creator和Executor線程Id的變化
        TaskScheduler = TaskScheduler.FromCurrentSynchronizationContext(),
    };
    var multiplyBlock = new TransformBlock<int, int>(item => item * 2);
    System.Console.WriteLine($"Creator ThreadId: {Thread.CurrentThread.ManagedThreadId}.");
    var displayBlock = new ActionBlock<int>(result =>
    {
        // ListBox.Items.Add(result)
        System.Console.WriteLine($"Executor ThreadId: {Thread.CurrentThread.ManagedThreadId} res:{result}.");
    }, options);
    multiplyBlock.LinkTo(displayBlock);

    for (int i = 0; i < 5; i++)
    {
        multiplyBlock.Post(i);
        System.Console.WriteLine($"Post {i}");
    }
    multiplyBlock.Completion.Wait(2000);
});
System.Console.WriteLine($"Cost {sw.ElapsedMilliseconds}ms.");

輸出:

Creator ThreadId: 1.
Post 0
Post 1
Post 2
Post 3
Post 4
Executor ThreadId: 1 res:0.
Executor ThreadId: 1 res:2.
Executor ThreadId: 1 res:4.
Executor ThreadId: 1 res:6.
Executor ThreadId: 1 res:8.
Cost 2062ms.

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 繼承關係用不好女人也可以是男人,複合關係用不好「狗中有人,人中有狗」的事情也會有。 ...
  • 第一種註冊方法 from flask import Flask app = Flask(__name__) @app.route("/hello") # 第一種註冊方法 def hello(): return "hello python!!!" if __name__ == "__main__": ...
  • 我們在進行APP開發的時候都會遇到一個文件:AndroidManifest.xml。從剛開始進行Android開發,到現在已經過去了幾個月,還是對這個文件一知半解,只知道它是配置用的。但是這文件里的東西具體有什麼用,該怎麼用一直都沒有理解。藉著做項目的機會,仔細研究一下這個文件。 研究Android ...
  • 這次我們可以看看併發中鎖的原理,大概會說到AQS,ReentrantLock,ReentrantReadWriteLock以及JDK8中新增的StampedLock,這些都是在java併發中很重要的東西,慢慢看吧! 一.LockSupport工具類 LockSupport工具類是jdk中rt.jar ...
  • 一、現象描述 筆者在用visual studio2010進行控制台程式進行程式編譯時候,經常會遇到代碼代碼沒有語法錯誤,但是編譯不通過的現象。系統報錯為 這個錯誤總是出現,特別是在每次新裝系統後,很是煩人。 二、出現原因 通過查閱相關資料可知: 出現該問題的原因通常是由於高版本與低版本之間的鏈接文件 ...
  • Redis詳解(一)——RDB 前言 由於 Redis 是一個記憶體資料庫,所謂記憶體資料庫,就是將資料庫中的內容保存在記憶體中,這與傳統的MySQL,Oracle等關係型資料庫直接將內容保存到硬碟中相比,記憶體資料庫的讀寫效率比傳統資料庫要快的多(記憶體的讀寫效率遠遠大於硬碟的讀寫效率)。但是保存在記憶體中也 ...
  • 項目簡介 項目來源於: "https://gitee.com/suimz_admin/BookShop" 一個基於JSP+Servlet+Jdbc的書店系統。涉及技術少,易於理解,適合JavaWeb初學者學習使用。 本人親測可正常啟動。 技術棧 前端技術 基礎:html+css+JavaScript ...
  • 轉發、重定向到其它業務方法 @org.springframework.stereotype.Controller @RequestMapping("/userController") public class UserController{ @RequestMapping("/handler1") ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...