[歌詞假名表示] 神さま、バカ

BulkInsert 懶人福音:從 Access MDB 高效同步資料到 SQL Server

緣由

  1. 目標電腦系統老舊,Windows Server 2003 (可以理解為 Windows XP),最新版只能運行 .NET Framework 4.0.3。
  2. 希望製作成可以打開就執行的 headless,搭配一些簡易的檔案輸出提供其他老舊程式語言簡單的存取。

前置作業

Visual Studio 必須安裝以下 Nuget 套件,你也可以視需要斟酌。
至於詳細安裝方法就不贅述,請自行上網了解 Nuget 套件安裝方法。

  1. CommandLineParser [v2.9.1]
  2. NLog [v5.4.0]
  3. Dapper [v1.50.2]
  4. DataBooster.SqlServer [v1.8.4]
    此外,為了讓 Windows XP 也能運行我們創建專案時選擇 .Net Framework 4 的 Console Application。

Log 紀錄輸出

在專案根目錄建立 nlog.config

<?xml version="1.0" encoding="utf-8" ?>
<nlog xmlns="http://www.nlog-project.org/schemas/NLog.xsd"
      xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">

        <!-- 定義 NLog 使用的 Targets -->
        <targets>
                <!-- Console 輸出 -->
                <target name="console" xsi:type="Console" layout="${longdate} | ${level:uppercase=true} | ${message}" />

                <!-- 檔案輸出 -->
                <target name="file" xsi:type="File"
                fileName="logs/SyncDemox.log"
                archiveFileName="logs/SyncDemox.{#}.log"
                archiveNumbering="Rolling"
                archiveEvery="Day"
                maxArchiveFiles="7"
                layout="${longdate} | ${level:uppercase=true} | ${message}" />

                <!-- LastError.txt (只保留最後一個錯誤) -->
                <target name="lastError" xsi:type="File"
                fileName="user/LastError.txt"
                writeMode="Overwrite"
                layout="${longdate} | ${level:uppercase=true} | ${message}" />
        </targets>

        <!-- 定義 Logger 規則 -->
        <rules>
                <!-- Console 和 檔案都要接收 INFO 以上的 Log -->
                <logger name="*" minlevel="Info" writeTo="console, file" />
                <logger name="*" minlevel="Error" writeTo="lastError" />
        </rules>
</nlog>

如此設定將可以~
最後的錯誤訊息輸出到 LastError.txt;
全部的訊息輸出到 Console 和 logs/SyncDemo.log,並自動依照天數管控不超過 7 份。

實際運用起來如下:

internal class Program
{
    private static readonly Logger Logger = LogManager.GetCurrentClassLogger();

    static void Main(string[] args)
    {
        // ...
        try 
        {
            Logger.Info("Start doing work!")
        }
        catch (Exception ex)
        {
            Logger.Error("SyncMdbToSQLServer Error: " + ex.Message);
        }
        // ...
    }
}

主要部分: 將 Mdb 資料複製 SQL Server

Program.cs

try
{
    using (var mdbconn = new OleDbConnection(mdbConnStr))
    {
        mdbconn.Open();
        Logger.Info("資料庫未被鎖定,準備開始讀取 MDB。");

        var result = SyncMdbToSQLServer(a, ini, mdbconn, sqlConnStr, targetTableName);

        WriteLastResult(a, result);
    }
}
catch (OleDbException ex)
{
    Logger.Error("無法開啟 MDB,可能被鎖定! ErrorMsg: " + ex.Message);
    WriteLastResult(a, false);
}
private static bool SyncMdbToSQLServer(ParserResult<CLOptions> a, IniReader ini, OleDbConnection mdbConn, string sqlConnStr, string targetTableName)
{
    try
    {
        var clo = a.Value;

        if (!int.TryParse(ini.Read("MaxRecentMonths", "Sync"), out int maxRecentMonths))
        {
            maxRecentMonths = -1; // All
        }
        if (clo.Verbose)
        {
            Logger.Info($"MaxRecentMonths: {maxRecentMonths}");
        }
        int currentMonth = DateTime.Now.Month;

        var cardDataLookup = mdbConn.Query<CardData>("SELECT EmNo, CardID, SiteID FROM CardData")
            .ToDictionary(x => new Tuple<int, int>(x.CardID, x.SiteID), x => x.EmNo);

        string whereDateClause = maxRecentMonths <= -1 ?
            string.Empty :
            $" AND DateT >= DateAdd('m', {-1 * (maxRecentMonths-1)}, Date())";

        // 查詢 AttRecords,並修正 EmNo 為 0 的情況
        string sSQL = "SELECT NoTe,DateT,NodeID,CardID,Events,SiteID,AddrID,AttRecords.EmNo,SetID,Name,Left " +
            "FROM [AttRecords] " +
            "LEFT JOIN EmData ON AttRecords.EmNo = EmData.EmNo " +
            "WHERE 1 = 1 And (Events = 3 OR Events = 11)" + whereDateClause;
        var attJoinEmRecords = mdbConn.Query<SimpleAttRecord>(
            sSQL
        ).Select(record =>
        {
            if (record.EmNo == 0) // 只有當 EmNo 為 0 時才修正
            {
                var key = new Tuple<int, int>(record.CardID, record.SiteID);
                if (cardDataLookup.TryGetValue(key, out int correctEmNo))
                {
                    record.EmNo = correctEmNo; // 替換為正確的 EmNo
                }
            }
            return record;
        }).ToList();
        Logger.Info($"Mdb has total {attJoinEmRecords.Count()} items.");

        SqlConnection sqlConn = new SqlConnection(sqlConnStr);
        sqlConn.Open();
        // Download all data from SQL Server to compare later
        var existedSqlItems = sqlConn.Query<MhPCard>($"SELECT * FROM [{targetTableName}]");
        var existedSqlHashItems = new HashSet<Tuple<int?, DateTime>>(existedSqlItems.Select(item => new Tuple<int?, DateTime>(item.Code, item.Date)));
        sqlConn.Dispose();

        // 找出不存在於 SQL Server 的資料
        var newRecords = attJoinEmRecords
            .Where(item => !existedSqlHashItems.Contains(new Tuple<int?, DateTime>(item.EmNo, item.DateT)))
            .ToList();
        Logger.Info($"New records: {newRecords.Count()}");

        using (SqlLauncher sqlLaun = new SqlLauncher(sqlConnStr, "dbo." + targetTableName, map=>
        { 
            map.Add(0,0);
            map.Add(1,2);
            map.Add(2,5); // Test
            // map.Add(2,6); //Real
        })
            )
        {
            foreach (var item in newRecords)
            {
                sqlLaun.Post(item.EmNo, item.DateT, item.NoTe);
            }
        }

        Logger.Info("BulkInsert succeed!");

        return true;
    }
    catch (Exception ex)
    {
        Logger.Error("SyncMdbToSQLServer Error: " + ex.Message);
        return false;
    }
}

主要步驟

  1. 讀取設定:從 ini 檔讀取同步範圍 (MaxRecentMonths)
  2. 讀取 MDB (Access) 資料庫
    var items = mdbConn.Query<CardData>("SELECT EmNo, CardID, SiteID FROM CardData")
  3. 較為個人特殊需求的步驟,讀者可以略過。
    運用 Dapper 取得 CardData 資料,建立 Dictionary<CardID, SiteID, EmNo>
    運用 Dapper 查詢 AttRecords,並根據 CardData 修正 EmNo
    運用 Dapper 讀取 SQL Server 現有資料:
  4. 從 SQL Server 下載 targetTableName 所有資料
    SqlConnection sqlConn = new SqlConnection(sqlConnStr);
    sqlConn.Open();
    var existedSqlItems = sqlConn.Query<MhPCard>($"SELECT * FROM [{targetTableName}]");
    sqlConn.Dispose();
    // 你也可以用 using 包起來,我單純是因為不想要太多巢狀括號不利閱讀。
  5. 建立 HashSet<Tuple<int?, DateTime>> 快速比對
    因為我每筆資料都要看有沒有存在的,如果不一次做好查表,就得不斷查詢 SQL Select,且查表可以將複雜度降低為 BigO(1)。

    var existedSqlHashItems = new HashSet<Tuple<int?, DateTime>>(
    existedSqlItems.Select(item => new Tuple<int?, DateTime>(item.Code, item.Date))
    );
  6. 比對找出新資料(MDB 但不在 SQL Server)
    
    var newRecords = attJoinEmRecords
    .Where(item => !existedSqlHashItems.Contains(new Tuple<int?, DateTime>(item.EmNo, item.DateT)))
    .ToList();

Logger.Info($"New records: {newRecords.Count()}");

7. 使用 SqlLauncher 進行批次插入
```csharp
using (SqlLauncher sqlLaun = new SqlLauncher(sqlConnStr, "dbo." + targetTableName, map=>
{ 
    map.Add(0,0);
    map.Add(1,2);
    map.Add(2,6);
}))
{
    foreach (var item in newRecords)
    {
        sqlLaun.Post(item.EmNo, item.DateT, item.NoTe);
    }
}
Logger.Info("BulkInsert succeed!");

將 Mdb 第 0 個欄位對應到 SqlServer 的第 0 個欄位;1對2;2對6。
※ 若報錯 NonNullable 注意你是不是以為已經設 Identity 但其實還沒設呢?或是你單純直接插入 Null 到該欄。

補充:其他程式個別實作

方便地讀取程式啟動參數

有了 CommandLineParser 便能創建一個物件來方便閱讀:

CLOptions.cs

public class CLOptions
{
    [Option('v', "verbose", Required = false, HelpText = "Set output to verbose messages.")]
    public bool Verbose { get; set; }

    [Option('j', "jobid", Required = false, HelpText = "Job ID.")]
    public string JobId { get; set; }

    [Option('t', "textoutputresultpath", Required = false, HelpText = "Text output result path. (Override Config's one)")]
    public string TextOutputResultPath { get; set; }

    [Option('p', "pause", Required = false, HelpText = "Pause before exit.")]
    public bool Pause { get; set; }
}

Program.cs

在程式中隨時可以讀寫這些屬性,不是唯讀的所以也可以像我另外實作 Ini 設定檔案牘取。

//...
var a = Parser.Default.ParseArguments<CLOptions>(args)
.WithParsed<CLOptions>(o =>
{

    if (o.JobId == null)
    {
        o.JobId = Guid.NewGuid().ToString();
    }
    if (o.Verbose)
    {
        Logger.Info($"{o.JobId} | Verbose output enabled (include sensitive info)");
    }
});

var clo = a.Value;
//...

IniReader.cs - Ini 檔案讀取

Ref: https://stackoverflow.com/a/14906422/3939608

/// <summary>
/// An INI file handling class.
/// </summary>
/// <see cref="https://stackoverflow.com/a/14906422/3939608"/>
public class IniReader
{
    string Path;
    string EXE = Assembly.GetExecutingAssembly().GetName().Name;

    [DllImport("kernel32", CharSet = CharSet.Unicode)]
    static extern long WritePrivateProfileString(string Section, string Key, string Value, string FilePath);

    [DllImport("kernel32", CharSet = CharSet.Unicode)]
    static extern int GetPrivateProfileString(string Section, string Key, string Default, StringBuilder RetVal, int Size, string FilePath);

    public IniReader(string IniPath = null)
    {
        Path = new FileInfo(IniPath ?? EXE + ".ini").FullName;
    }

    public string Read(string Key, string Section = null)
    {
        var RetVal = new StringBuilder(255);
        GetPrivateProfileString(Section ?? EXE, Key, "", RetVal, 255, Path);
        return RetVal.ToString();
    }

    public void Write(string Key, string Value, string Section = null)
    {
        WritePrivateProfileString(Section ?? EXE, Key, Value, Path);
    }

    public void DeleteKey(string Key, string Section = null)
    {
        Write(Key, null, Section ?? EXE);
    }

    public void DeleteSection(string Section = null)
    {
        Write(null, null, Section ?? EXE);
    }

    public bool KeyExists(string Key, string Section = null)
    {
        return Read(Key, Section).Length > 0;
    }
}

結論

我們可以 讓舊系統繼續運作,同時避免在 SQL Server 建立不必要的 Stored Procedure。

運用 Dapper 和 SqlLauncher,我們能夠:
✅ 有效讀取 MDB 資料
✅ 使用 HashSet 避免重複插入資料
✅ 透過 批次插入 提高效能

對我來說,SQL Server 就應該乾乾淨淨,專門存資料就好!

利用 AutoHotkey 在 Windows 模仿 macOS 的 Cmd + ` 切換應用視窗

身為一個長年使用 Windows 的使用者,自從入手 MacBook Air M1 之後,我深深體會到 Cmd+ 的便利性,特別是在同一個應用程式內切換不同視窗的流暢體驗。對於 Windows 使用者來說,通常需要 Alt+Tab 來回切換所有應用程式,無法限制在單一應用內。而這篇文章將教你如何透過 AutoHotkey 1.0 實現類似的快捷操作,讓你在同一個程式中快速切換不同的視窗。繼續閱讀...

Home Assistant 的 Yaml 處理換行字元發送 Line Push Message (Restful Request)

本篇並無一步一步地教學如何設定 Home Assistant 以將 Gmail 通知發送到 LINE,而是特別關注如何正確處理換行字元(“\n”)。這個看似簡單的需求,可能會由於 YAML、JSON 和各種 API 之間的複雜性而帶來許多頭痛的問題。

篇幅將專注在如何確保 LINE 訊息中的換行字元號正確顯示的問題。繼續閱讀...

自 Aegis Authenticator 匯出明文 json 轉入 PowertoysRunTOTP by KawaiiZapic

這篇文章將介紹如何將 Aegis Authenticator 中的明文 JSON 資料匯出並轉換為 PowertoysRunTOTP 所需的格式,幫助你將雙因素驗證(2FA)帳號從 Aegis 匯入到 PowerToys Run TOTP 擴充套件中。

警告:請勿將明文 JSON 文件長時間保留在電腦中。建議將其存放在加密的存儲空間中,如 pCloud Crypto,或者使用 7zip 壓縮並設置安全密碼來保護文件。

步驟 1:匯出 Aegis Authenticator 明文 JSON

首先,從 Aegis Authenticator 中匯出你的 2FA 帳號資料。確保匯出的文件是明文 JSON 格式,並保存到一個安全的位置,例如 C:\path\to\aegis_export.json

步驟 2:編寫 PowerShell 腳本

編寫一個 PowerShell 腳本來轉換 Aegis 匯出的 JSON 文件為 PowertoysRunTOTP 所需的格式。以下是完整的腳本,你可以用記事本複製貼上,並儲存為 .ps1 檔案例如 convert_aegis_to_powertoysrun.ps1

$inputFilePath = "P:\Crypto Folder\aegis.json"
$outputFilePath = "$env:LOCALAPPDATA\Microsoft\PowerToys\PowerToys Run\Settings\Plugins\Community.PowerToys.Run.Plugin.TOTP\OTPList.json_new"
try {
    # Read the Aegis JSON file and ensure it uses UTF-8 encoding
    $jsonContent = Get-Content -Raw -Path $inputFilePath -Encoding UTF8

    # Check if the JSON file is empty
    if ($jsonContent -eq $null -or $jsonContent.Trim() -eq "") {
        throw "The Aegis JSON file is empty or contains no content"
    }

    try {
        # Parse the JSON file
        $aegisData = $jsonContent | ConvertFrom-Json
    } catch {
        throw "JSON parsing error: $_"
    }

    # Prepare the JSON structure for PowerToysRunTOTP
    $powerToysRunTOTP = @{
        Version = 2
        Entries = @()
    }

    # Check the structure of the Aegis JSON file
    if ($aegisData.db.entries -ne $null) {
        # Iterate over Aegis entries and extract necessary data
        foreach ($entry in $aegisData.db.entries) {
            $newEntry = @{
                Name = "$($entry.issuer): $($entry.name)"
                Key = $entry.info.secret
                IsEncrypted = $false
            }
            $powerToysRunTOTP.Entries += $newEntry
        }
    } else {
        throw "Entries in the Aegis JSON file are empty or not found"
    }

    # Write the converted data to the PowerToysRunTOTP JSON file
    $powerToysRunTOTP | ConvertTo-Json -Depth 3 | Set-Content -Path $outputFilePath -Encoding UTF8

    Write-Host "Aegis JSON conversion successful and saved to $outputFilePath"
} catch {
    Write-Host "An error occurred during the conversion process: $_"
}

步驟 3:執行 PowerShell 腳本

方法一:在 Windows 10 或更高版本上右鍵執行

  1. 確保 PowerToys 已關閉。這樣可以避免 PowertoysRun OTP 擴充套件在執行過程中覆蓋使用者編輯的文件。
  2. 打開檔案總管,找到你保存的 PowerShell 腳本文件,例如 convert_aegis_to_powertoysrun.ps1
  3. 右鍵點擊該文件,選擇「以 PowerShell 執行」。
  4. 如果看到 Windows 安全警告,請選擇「更多資訊」然後點擊「仍要執行」。

方法二:使用 PowerShell 命令執行

  1. 確保 PowerToys 已關閉。這樣可以避免 PowertoysRun OTP 擴充套件在執行過程中覆蓋使用者編輯的文件。
  2. 按下 Win + X 鍵,選擇「Windows PowerShell(管理員)」或「Windows 終端機(管理員)」。
  3. 在 PowerShell 視窗中,輸入以下命令,不要按下 Enter (-File 後面有帶一個空格):
    PowerShell -ExecutionPolicy Bypass -File 
  4. 打開檔案總管,找到你保存的 PowerShell 腳本文件。
  5. 將該文件拖曳到 PowerShell 視窗中。這樣會自動填入文件的完整路徑。
  6. 確認命令如下所示,然後按下 Enter 鍵執行:
    PowerShell -ExecutionPolicy Bypass -File  "C:\path\to\convert_aegis_to_powertoysrun.ps1"

步驟 4:驗證匯入結果

  1. 打開 PowerToys,這將自動啟動 TOTP 擴充套件。
  2. PowertoysRun TOTP 擴充套件啟動後,會自動加密 OTPList.json 文件中的資料。
  3. 打開 PowerToys Run 並檢查是否成功匯入了你的 2FA 帳號。如果一切順利,你應該可以看到你匯入的帳號並使用它們進行身份驗證。

總結

通過以上步驟,我們成功地將 Aegis Authenticator 匯出的明文 JSON 文件轉換並匯入到 PowertoysRunTOTP 中。這種方法可以幫助你輕鬆地管理你的 2FA 帳號,並在不同的裝置之間進行遷移。
如果你覺得文章對你有幫助,歡迎在下方留言、按下笑臉或分享給其他人知道。

若有相關的建議也歡迎留言!