ShowProgramCode

2024年6月21日 星期五

C# .Net6 Json欄位大小寫依照物件屬性

一個小問題,Net Core6預設當物件轉為Json時,所有屬性名稱全小寫。
但是我希望能夠依照物件屬性名稱的設定,也就是多數首字大寫。

最後在Program.cs修改如下:

  1. public class Program
  2. {
  3. public static void Main(string[] args)
  4. {
  5. var builder = WebApplication.CreateBuilder(args);
  6. // Add services to the container.
  7. ...
  8. //setting json
  9. //System.Text.Json 在序列化的時候使用了 camelCase 的命名規範,這意味著首字母小寫。添加下列設定可以讓Json依照DTO屬性
  10. //AddNewtonsoftJson則是 Newtonsoft.Json 序列化器的設定方式
  11. builder.Services.AddControllers()
  12. .AddJsonOptions(options =>
  13. {
  14. // 或者使用 JsonNamingPolicy.CamelCase
  15. options.JsonSerializerOptions.PropertyNamingPolicy = null;
  16. });
  17. builder.Services.AddControllers();
  18. ...
  19. }
  20. }

C# Net6 WebAPI專案自動跳轉https

最近遇到一個小問題,依照需求專案放上IIS必須走http,但是.NetCore6又預設會跳轉到https。
造成我的前端連線過來時,因為沒有憑證而連線失敗。

最後,我在Program.cs把自動跳轉移除,並加入http設定如下:

  1. public class Program
  2. {
  3. public static void Main(string[] args)
  4. {
  5. var builder = WebApplication.CreateBuilder(args);
  6. // Add services to the container.
  7.  
  8. builder.Services.AddControllers();
  9. ...
  10.  
  11. var app = builder.Build();
  12. ...
  13.  
  14. //設定http管道
  15. app.UseRouting();
  16.  
  17. //註銷不轉向https
  18. //app.UseHttpsRedirection();
  19.  
  20. app.UseAuthorization();
  21.  
  22. app.MapControllers();
  23.  
  24. app.Run();
  25. }
  26. }

2023年9月26日 星期二

golang 的 automapper

在C#有automapper套件,可以將兩個相似的資料結構Mapping內容。
光是這個鏡射寫入屬性值的功能,讓我可以不用每次遇到類似的物件都要一個個屬性賦值,就已經非常好用了。
最近必須要些golang時,也遇到了類似的問題,目前找到一個還可以用的套件,特別記錄下來。
(其實是因為上次程式碼即便上了git也一下子找不到...哭...)

  1. import (
  2. "github.com/mitchellh/mapstructure"
  3. )
  4.  
  5. type User struck{
  6. Id int
  7. Name string
  8. Phone string
  9. ....
  10. }
  11.  
  12. type Member struck{
  13. Name string
  14. Phone string
  15. ...
  16. }
  17.  
  18. //從資料庫讀取使用者後,將資料放入Member
  19. var member Member{}
  20. user := db.load(id)
  21. err = mapstructure.Decode(user, &member)

這樣就可以將相同屬性名稱的值寫入member。
假使兩個欄位名稱有出入該怎麼辦??
目前還沒有測試到那裡,也許這個套件也有提供類似的功能,今天簡單記錄到此。

2023年7月4日 星期二

C# Net6 XML轉物件 錯誤訊息 ... xmlns='' was not expected

今天遇到需要將DTO與XML相互轉換,但卻一直遇到狀況。
後續處理完畢,特別紀錄一下。

XML:

  1. <massege>
  2. <header code="OTP" id="PUSID">
  3. <from>127.0.0.1</from>
  4. <to>255.0.0.0</to>
  5. </header>
  6. <body>
  7. 訊息內容
  8. </body>
  9. </message>

DTO:

  1. [XmlTypeAttribute(AnonymousType = true)]
  2. [XmlRootAttribute(Namespace = "", IsNullable = false, ElementName = "message")]
  3. public class TestMessage
  4. {
  5. public TestMessageHeader header{get;set;}
  6. public string body{get;set;}
  7. }
  8.  
  9. [XmlTypeAttribute(AnonymousType = true)]
  10. public class TestMessageHeader
  11. {
  12. [XmlAttributeAttribute()]
  13. public string code { get; set; } = string.Empty;
  14. [XmlAttributeAttribute()]
  15. public string id { get; set; } = string.Empty;
  16. public string from {get;set;} = string.Empty;
  17. public string to{get;set;} = string.Empty;
  18. }

程式碼:

  1. public static string XmlToDto<T>(string xml, ref T obj) where T : class
  2. {
  3. XmlSerializer Serializer = new XmlSerializer(typeof(T));
  4. try
  5. {
  6. using (StringReader reader = new StringReader(xml))
  7. {
  8. obj = (T)Serializer.Deserialize(reader);
  9. }
  10.  
  11. return "0000";
  12. }
  13. catch (Exception ex)
  14. {
  15. return ex.Message;
  16. }
  17. }
  18.  
  19. public static string XmlToDto<T>(string xml, string rootTag, ref T obj) where T : class
  20. {
  21. XmlSerializer Serializer = new XmlSerializer(typeof(T), new XmlRootAttribute(rootTag));
  22. try
  23. {
  24. using (StringReader reader = new StringReader(xml))
  25. {
  26. obj = (T)Serializer.Deserialize(reader);
  27. }
  28.  
  29. return "0000";
  30. }
  31. catch (Exception ex)
  32. {
  33. return ex.Message;
  34. }
  35. }

參考網頁:https://dotblogs.com.tw/initials/2020/11/18/184450

2023年6月14日 星期三

C# Net6 WebAPI或MVC架構下 Nlog+EFCore+MSSQL設定 自動記錄SQL命令

首先建立一個Net6 WebAPI或MVC專案

下面使用WebAPI專案作為示範,不過MVC專案設定大致相同,除了不需要手動增加Model資料夾...

一、設定Nlog

1.使用NuGet管理員,下載NLog.Web.AspNetCore,此次使用版本5.3.0。

2.在專案中手動增加nlog.config檔案。

記得必須選擇"永遠複製"到輸出目標。
  1. <?xml version="1.0" encoding="utf-8" ?>
  2. <nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. autoReload="true"
  5. internalLogLevel="Error">
  6. <!-- 啟用 ASP.NET Core layout renderers -->
  7. <extensions>
  8. <add assembly="NLog.Web.AspNetCore"/>
  9. </extensions>
  10. <!-- 設定log根目錄 -->
  11. <variable name="logDirectory" value="C:\TWBank_Log\NlogTest" />
  12. <!-- log 儲存目標 -->
  13. <targets>
  14. <target xsi:type="File" name="allfile" fileName="${logDirectory}\nlog-all-${shortdate}.log"
  15. layout="${date:format=HH\:mm\:ss\.ffff} [thread:${threadid}] ${level:uppercase=true} ${message} ${exception:Format=ToString}" createDirs="true" encoding="UTF-8" />
  16. </targets>
  17. <!-- 設定 logger 名稱與 log 儲存目標的對應 -->
  18. <rules>
  19. <!--將Microsoft與System.Net.Http的錯誤拿掉不紀錄-->
  20. <logger name="Microsoft.*" maxlevel="Info" final="true" />
  21. <logger name="System.Net.Http.*" maxlevel="Info" final="true" />
  22. <logger name="*" minlevel="Trace" writeTo="allfile" />
  23. </rules>
  24. </nlog>

3.修改Program.cs

  1. public class Program
  2. {
  3. public static void Main(string[] args)
  4. {
  5. var builder = WebApplication.CreateBuilder(args);
  6.  
  7. //將NLog註冊到此專案內
  8. builder.Logging.ClearProviders();
  9. builder.Host.UseNLog();
  10.  
  11. ...
  12. var app = builder.Build();
  13. ...
  14. app.Run();
  15. }
  16. }

4.調整appsettings.json

Logging.LogLevel.Default可以控制預設紀錄的Log層級,目前Trace是最低層級,也就是什麼都會記錄。
  1. {
  2. "Logging": {
  3. "LogLevel": {
  4. "Default": "Trace",
  5. "Microsoft.AspNetCore": "Warning"
  6. }
  7. },
  8. "AllowedHosts": "*"
  9. }

5.修改範本Controller程式碼

Nlog支援將List、物件等,轉換成json string顯示,參考下方程式碼。
  1. [HttpGet(Name = "GetWeatherForecast")]
  2. public IEnumerable<WeatherForecast> Get()
  3. {
  4. IEnumerable<WeatherForecast> temp = Enumerable.Range(1, 5).Select(index => new WeatherForecast
  5. {
  6. Date = DateTime.Now.AddDays(index),
  7. TemperatureC = Random.Shared.Next(-20, 55),
  8. Summary = Summaries[Random.Shared.Next(Summaries.Length)]
  9. })
  10. .ToList();
  11. _logger.LogDebug("WeatherForecast List = {@temp}", temp);
  12. return temp;
  13. }

6.確認Log內容

二、設定EFCore,此處設定MSSQL,如果要設定不同資料庫,下載與設定方式會略有不同。

1.使用NuGet管理員,下載EFCore。

  • Microsoft.EntityFrameworkCore
  • Microsoft.EntityFrameworkCore.Sqlite

2.手動增加Model資料夾,並在內部加入MyDbContext繼承DbContext

  1. public class MyDbContext: DbContext
  2. {
  3. public MyDbContext(DbContextOptions<MyDbContext> options) : base(options)
  4. {
  5. }
  6. public DbSet<TestUser> User { get; set; }
  7. }
  8.  
  9. [Table("TestUser")]
  10. public class TestUser
  11. {
  12. [Key]
  13. public int Id { get; set; }
  14. [Required]
  15. [StringLength(20)]
  16. public string Name { get; set; } = string.Empty;
  17. [Required]
  18. [StringLength(15)]
  19. public string Phone { get; set; } = string.Empty;
  20. }

3.修改appsettings.json

設定遠端資料庫連線。
開發期間資料庫證書無法設定時,可以添加這個設定,TrustServerCertificate=true,將無條件信任IIS預設證書。
此外,還需要加上Logging設定中Microsoft.EntityFrameworkCore.Database.Command設定,並且在nlog.config必須一起設定。
  1. {
  2. "ConnectionStrings": {
  3. "DefaultConnection": "server=資料庫IP;user id=資料庫帳號;password=資料庫密碼;database=資料庫名稱;TrustServerCertificate=true"
  4. },
  5. "Logging": {
  6. "LogLevel": {
  7. "Default": "Trace",
  8. "Microsoft.AspNetCore": "Warning",
  9. "Microsoft.EntityFrameworkCore.Database.Command": "Information"
  10. }
  11. },
  12. "AllowedHosts": "*"
  13. }

4.調整nlog.config檔案。

針對Microsoft.EntityFrameworkCore.Database.Command設定
  1. <?xml version="1.0" encoding="utf-8" ?>
  2. <nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. autoReload="true"
  5. internalLogLevel="Error">
  6. ...
  7. <!-- 設定 logger 名稱與 log 儲存目標的對應 -->
  8. <rules>
  9. <!--寫入SQL-->
  10. <logger name="Microsoft.EntityFrameworkCore.Database.Command" minlevel="Info" writeTo="allfile" />
  11. ...
  12. </rules>
  13. </nlog>

5.修改Program.cs

增加EFCore設定。
  1. public class Program
  2. {
  3. public static void Main(string[] args)
  4. {
  5. var builder = WebApplication.CreateBuilder(args);
  6. //註冊EFCoreContext
  7. //先注入EFCore再注入Nlog才會記錄SQL命令
  8. string connectString = builder.Configuration.GetConnectionString("DefaultConnection");
  9. builder.Services.AddDbContext<MyDbContext>(options => options.UseSqlServer(connectString));
  10.  
  11. //將NLog註冊到此專案內
  12. builder.Logging.ClearProviders();
  13. builder.Host.UseNLog();
  14.  
  15. ...
  16. var app = builder.Build();
  17. ...
  18. app.Run();
  19. }
  20. }
  21.  

6.修改範本Controller程式碼

  1. private readonly ILogger<WeatherForecastController> _logger;
  2. private readonly MyDbContext _dbContext;
  3.  
  4. public WeatherForecastController(MyDbContext dbContext,ILogger<WeatherForecastController> logger)
  5. {
  6. _dbContext = dbContext;
  7. _logger = logger;
  8. }
  9.  
  10. public IEnumerable<WeatherForecast> Get()
  11. {
  12. IEnumerable<WeatherForecast> temp = Enumerable.Range(1, 5).Select(index => new WeatherForecast
  13. {
  14. Date = DateTime.Now.AddDays(index),
  15. TemperatureC = Random.Shared.Next(-20, 55),
  16. Summary = Summaries[Random.Shared.Next(Summaries.Length)]
  17. })
  18. .ToList();
  19.  
  20. IEnumerable<TestUser> temp2 = _dbContext.User.ToList();
  21.  
  22. _logger.LogDebug("WeatherForecast List = {@temp}", temp);
  23. _logger.LogDebug("TestUser List = {@temp}", temp2);
  24. return temp;
  25. }

7.確認Log內容與資料庫比對

Log內容:
資料庫內容:

由此可以確認資料庫中的內容與Log TestUser是一致的。
此外,如果Log內容不正確,可以將專案清除再重建,可能是什麼被cache造成的。

2022年12月30日 星期五

C# .Net Core6 多執行緒處理ThreadPool PartII

從上一篇可知ThreadPool的基本設定了,不過接下來又遇上新的問題。

  1.  如何確認所有執行緒完成?
  2.  將主控台專案改為WinForm專案使用ThreadPool...

首先,先說明如何確認所有執行緒完成工作?
在此我使用者WaitHandle.WaitAll()來確認。
依照官網的說明,必須將doneEvent = new ManualResetEvent(false)帶入ThreadPool,最終使用doneEvent陣列帶入WaitHandle.WaitAll()即可。
二話不說,先上程式碼。

  1. internal class Program
  2. {
  3. static void Main(string[] args)
  4. {
  5. const int FibonacciCalculations = 10;
  6. firtstTest(FibonacciCalculations);
  7. }
  8. private static void ThreadPoolCallbackV1(object obj)
  9. {
  10. if(obj == null) return;
  11. ManualResetEvent doneEvent = (ManualResetEvent)obj;
  12. Console.WriteLine(nameof(ThreadPoolCallbackV1));
  13. doneEvent.Set();
  14. }
  15. private static void firtstTest(int theadCount)
  16. {
  17. ThreadPool.SetMinThreads(2, 2);
  18. ThreadPool.SetMaxThreads(3, 3);
  19. ManualResetEvent[] doneEvents = new ManualResetEvent[theadCount];
  20. for(var i = 0; i < theadCount; i++)
  21. {
  22. doneEvents[i] = new ManualResetEvent(false);
  23. Console.WriteLine($"{nameof(firtstTest)} 第 {i} 次執行...");
  24. ThreadPool.QueueUserWorkItem(ThreadPoolCallbackV1, doneEvents[i]);
  25. }
  26. WaitHandle.WaitAll(doneEvents);
  27. Console.WriteLine("All calculations are complete.");
  28. }
  29. }

是的,這個是主控台的程式碼,當所有執行緒完成後,才會印出最後一個句子。

接下來的問題,就是要把這段程式碼改道WomForm的專案了...
最剛開始,我想...在主控台都測通過了,沒有問題。於是,隨便開了個空的Form表單,就把程式碼貼過去了。
結果? 當然是失敗了...

我花了至少三天才搞定它,雖然解法非常簡單...
二話不說,先上程式碼。

Program.cs

  1. internal static class Program
  2. {
  3. ///
  4. /// The main entry point for the application.
  5. ///
  6. //[STAThread] 將STAThread改為MTAThread,WaitHandle.WaitAll不支援STAThread,改為MTAThread就能夠執行...
  7. [MTAThread]
  8. static void Main()
  9. {
  10. // To customize application configuration such as set high DPI settings or default font,
  11. // see https://aka.ms/applicationconfiguration.
  12. ApplicationConfiguration.Initialize();
  13. Application.Run(new Form1());
  14. }
  15. }

Form1.cs

  1. private string _content = string.Empth;
  2. public partial class Form1 : Form
  3. {
  4. public TpcGrpcStressTest()
  5. {
  6. InitializeComponent();
  7. }
  8. private static void ThreadPoolCallbackV1(object obj)
  9. {
  10. if(obj == null) return;
  11. ManualResetEvent doneEvent = (ManualResetEvent)obj;
  12. _content += nameof(ThreadPoolCallbackV1) + Environment.NewLine;
  13. doneEvent.Set();
  14. }
  15.  
  16. private static void firtstTest(int theadCount)
  17. {
  18. ThreadPool.SetMinThreads(2, 2);
  19. ThreadPool.SetMaxThreads(3, 3);
  20. ManualResetEvent[] doneEvents = new ManualResetEvent[theadCount];
  21. for(var i = 0; i < theadCount; i++)
  22. {
  23. doneEvents[i] = new ManualResetEvent(false);
  24. _content += $"{nameof(firtstTest)} 第 {i} 次執行..." + Environment.NewLine;
  25. ThreadPool.QueueUserWorkItem(ThreadPoolCallbackV1, doneEvents[i]);
  26. }
  27. WaitHandle.WaitAll(doneEvents);
  28. }
  29.  
  30. private void SubmitBtn_Click(object sender, EventArgs e)
  31. {
  32. firtstTest(10);
  33. TextBox1.Text = _content + "All calculations are complete.";
  34. }
  35. }

答案超簡單,但困擾我許久,特別記錄下來,免得下次又發生。

參考網址: AutoResetEvent.WaitAll 等到人生三大事,然后大笑开心。


本以為到此為止,但是當我測試超過100筆執行緒時,又一個問題出現了...
System.NotSupportedException: 'The number of WaitHandles must be less than or equal to 64.'

再去查了資訊,才發現原來超過64個執行緒使用WaitHandle.WaitAll會錯誤...
實際找到解法後,說明不需要使用WaitHandle.WaitAll來檢查程序是否執行完成,那麼二話不說,修改程式碼...

Program.cs

  1. internal static class Program
  2. {
  3. ///
  4. /// The main entry point for the application.
  5. ///
  6. [STAThread]
  7. static void Main()
  8. {
  9. // To customize application configuration such as set high DPI settings or default font,
  10. // see https://aka.ms/applicationconfiguration.
  11. ApplicationConfiguration.Initialize();
  12. Application.Run(new Form1());
  13. }
  14. }

Form1.cs

  1. public partial class Form1 : Form
  2. {
  3. private string _content = string.Empth;
  4. private static int _numerOfThreadsNotYetCompleted = 0;
  5. private static ManualResetEvent _doneEvent = new ManualResetEvent(false);
  6. public TpcGrpcStressTest()
  7. {
  8. InitializeComponent();
  9. }
  10. private static void ThreadPoolCallbackV1(object obj)
  11. {
  12. if(obj == null) return;
  13. try
  14. {
  15. ManualResetEvent doneEvent = (ManualResetEvent)obj;
  16. _content += $"{nameof(ThreadPoolCallbackV1)} 第 {(int)i} 次執行...") + Environment.NewLine;
  17. doneEvent.Set();
  18. }
  19. finally
  20. {
  21. if (Interlocked.Decrement(ref _numerOfThreadsNotYetCompleted) == 0)
  22. _doneEvent.Set();
  23. }
  24. }
  25.  
  26. private static void firtstTest(int theadCount)
  27. {
  28. ThreadPool.SetMinThreads(2, 2);
  29. ThreadPool.SetMaxThreads(3, 3);
  30. for(var i = 0; i < theadCount; i++)
  31. {
  32. _content += nameof(firtstTest) + Environment.NewLine;
  33. ThreadPool.QueueUserWorkItem(ThreadPoolCallbackV1, (object)i);
  34. }
  35. _doneEvent.WaitOne();
  36. }
  37.  
  38. private void SubmitBtn_Click(object sender, EventArgs e)
  39. {
  40. _numerOfThreadsNotYetCompleted = 100;
  41. firtstTest(100);
  42. TextBox1.Text = _content + "All calculations are complete.";
  43. }
  44. }

參考網址: Solved: “The number of WaitHandles must be less than or equal to 64″

2022年12月15日 星期四

C# .Net Core6 多執行緒處理ThreadPool

現行遇到一個狀況,需要使用多執行緒連線TCP Server。
原先我是想使用Thread,不過在查詢如何使用多個執行緒設定時,發現了另外一個可用的方法ThreadPool

首先是Microsoft目前並不建議直接使用Thread控制,加上ThreadPool可以直接在for迴圈內使用,自動增加多個執行緒。對於我目前要做一個壓測用的程式而言,只要在設定檔寫好測試次數或者測試時間,用for迴圈執行ThreadPool就能得到想要的結果。實在是太方便了!

不過,在這當中我遇到了一些問題,為防止自己忘記,先記錄在此。

  1.  依照說明傳入是非固定的object,該如何設為固定的物件?
  2.  設定的執行緒的最大值,但實際程式執行時,同一時間內的執行緒超過上限...

首先是關於第一項的問題,該如何將object轉為固定的物件?
關於這一點,必須先說明ThreadPool如何使用...
下面的範例是我用來測試使用的,不過後來改過,所以不確定這個是否可以執行...

  1. static void Main(string[] args)
  2. {
  3. for(var i=0;i<100;i++)
  4. {
  5. ThreadPool.QueueUserWorkItem(new WaitCallback(countIndex), i);
  6. }
  7. }
  8.  
  9. private static void countIndex(object? obj)
  10. {
  11. string timeStr = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss.fff");
  12. string msg = $"{timeStr}\t[{obj}] \t[{Thread.CurrentThread.ManagedThreadId}] \t This is Test!!";
  13. Console.WriteLine(msg);
  14. }

測試沒有問題後,我發現我要帶入的是一個完整的資料格式。
我用過不少方法,都沒有成功,最後改為下面的方式就可以執行了。
不過必須要用try catch包好,物件轉換錯誤可能會讓程式整個當掉,但因為是內部使用,就沒寫那麼多防呆了。

  1. static void Main(string[] args)
  2. {
  3. for(var i=0;i<100;i++)
  4. {
  5. DTO dto = new dto;
  6. dto.Index = i;
  7. ...
  8. ThreadPool.QueueUserWorkItem(new WaitCallback(countIndex), dto);
  9. }
  10. }
  11.  
  12. private static void countIndex(object? obj)
  13. {
  14. try
  15. {
  16. //這裡的轉換物件須注意
  17. DTO dto = (DTO)obj;
  18. ...
  19. string msg = getMessage(obj.Index, dto.Message);
  20. Console.WriteLine(msg);
  21. }
  22. catch (Exception ex)
  23. {
  24. string msg = getMessage(0, $"error = {ex.ToString()}");
  25. Console.WriteLine(msg);
  26. }
  27. }
  28.  
  29. private static string getMessage(int Index, string msg)
  30. {
  31. string timeStr = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss.fff");
  32. return $"{timeStr}\t[{Index}] \t[{Thread.CurrentThread.ManagedThreadId}] \t {msg}";
  33. }

其次是關於執行緒上限的設定...
依照我上方的程式碼,執行緒ID與Index是可以做比對的,所以我發現了在同一時間,執行緒超出我設定的上限...
當時的程式碼大致如下:

  1. static void Main(string[] args)
  2. {
  3. ThreadPool.SetMaxThreads(5, 5);
  4. for(var i=0;i<100;i++)
  5. {
  6. DTO dto = new dto;
  7. dto.Index = i;
  8. ...
  9. ThreadPool.QueueUserWorkItem(new WaitCallback(countIndex), dto);
  10. }
  11. }
  12.  
  13. private static void countIndex(object? obj)
  14. {
  15. try
  16. {
  17. //這裡的轉換物件須注意
  18. DTO dto = (DTO)obj;
  19. ...
  20. string msg = getMessage(obj.Index, dto.Message);
  21. Console.WriteLine(msg);
  22. }
  23. catch (Exception ex)
  24. {
  25. string msg = getMessage(0, $"error = {ex.ToString()}");
  26. Console.WriteLine(msg);
  27. }
  28. }
  29.  
  30. private static string getMessage(int Index, string msg)
  31. {
  32. string timeStr = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss.fff");
  33. return $"{timeStr}\t[{Index}] \t[{Thread.CurrentThread.ManagedThreadId}] \t {msg}";
  34. }

但是實際執行,跳出的執行緒至少超過10個...
這和我當初想像的結果完全不同,測試過許多方法都沒有用,最後才發現只設定SetMaxThreads是不行的!
將程式碼調整成下方後,測試的結果終於與我想的相同了。Thread.CurrentThread.ManagedThreadId出現的號碼只有設定的數量,同一個時間執行緒也不會超過上限...

  1. static void Main(string[] args)
  2. {
  3. //min & max 必須同時設定才有效...
  4. ThreadPool.SetMinThreads(2, 2);
  5. ThreadPool.SetMaxThreads(5, 5);
  6. for(var i=0;i<100;i++)
  7. {
  8. DTO dto = new dto;
  9. dto.Index = i;
  10. ...
  11. ThreadPool.QueueUserWorkItem(new WaitCallback(countIndex), dto);
  12. }
  13. }
  14.  
  15. private static void countIndex(object? obj)
  16. {
  17. try
  18. {
  19. //這裡的轉換物件須注意
  20. DTO dto = (DTO)obj;
  21. ...
  22. string msg = getMessage(obj.Index, dto.Message);
  23. Console.WriteLine(msg);
  24. }
  25. catch (Exception ex)
  26. {
  27. string msg = getMessage(0, $"error = {ex.ToString()}");
  28. Console.WriteLine(msg);
  29. }
  30. }
  31.  
  32. private static string getMessage(int Index, string msg)
  33. {
  34. string timeStr = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss.fff");
  35. return $"{timeStr}\t[{Index}] \t[{Thread.CurrentThread.ManagedThreadId}] \t {msg}";
  36. }

參考網址:
Microsoft官網說明
kinanson的技術回憶
安德魯的部落格
余小章 @ 大內殿堂
玩轉C#之【執行序-實際實作】
C# .NET Blazor MAUI Xamarin Research