.net core 讀取本地指定目錄下的文件

来源:https://www.cnblogs.com/alan-lin/archive/2018/09/15/9650954.html
-Advertisement-
Play Games

項目需求 asp.net core 讀取log目錄下的.log文件,.log文件的內容如下: xxx.log begin 寫入時間:2018-09-11 17:01:48 userid=1000 golds=10 end 一個 begin end 為一組,同一個.log文件里 userid 相同的, ...


項目需求

asp.net core 讀取log目錄下的.log文件,.log文件的內容如下:

xxx.log

------------------------------------------begin---------------------------------
寫入時間:2018-09-11 17:01:48
userid=1000
golds=10
-------------------------------------------end---------------------------------

一個 begin end 為一組,同一個.log文件里 userid 相同的,取寫入時間最大一組值,所需結果如下:

UserID   Golds   RecordDate 
 1001     20     2018/9/11 17:10:48  
 1000     20     2018/9/11 17:11:48  
 1003     30     2018/9/11 17:12:48  
 1002     10     2018/9/11 18:01:48 
   
 1001     20     2018/9/12 17:10:48  
 1000     30     2018/9/12 17:12:48  
 1002     10     2018/9/12 18:01:48 

項目結構

Snai.File.FileOperation  Asp.net core 2.0 網站

項目實現

新建Snai.File解決方案,在解決方案下新建一個名Snai.File.FileOperation Asp.net core 2.0 空網站

把log日誌文件拷備到項目下

修改Startup類的ConfigureServices()方法,註冊訪問本地文件所需的服務,到時在中間件中通過構造函數註入添加到中間件,這樣就可以在一個地方控制文件的訪問路徑(也就是應用程式啟動的時候)

public void ConfigureServices(IServiceCollection services)
{
  services.AddSingleton<IFileProvider>(new PhysicalFileProvider(Directory.GetCurrentDirectory()));
}

新建 Middleware 文件夾,在 Middleware下新建 Entity 文件夾,新建 UserGolds.cs 類,用來保存讀取的日誌內容,代碼如下

namespace Snai.File.FileOperation.Middleware.Entity
{
    public class UserGolds
    {
        public UserGolds()
        {
            RecordDate = new DateTime(1970, 01, 01);
            UserID = 0;
            Golds = 0;
        }

        public DateTime RecordDate { get; set; }
        public int UserID { get; set; }
        public int Golds { get; set; }
    }
}

 在 Middleware 下新建 FileProviderMiddleware.cs 中間件類,用於讀取 log 下所有日誌文件內容,並整理成所需的內容格式,代碼如下

namespace Snai.File.FileOperation.Middleware
{
    public class FileProviderMiddleware
    {
        private readonly RequestDelegate _next;
        private readonly IFileProvider _fileProvider;

        public FileProviderMiddleware(RequestDelegate next, IFileProvider fileProvider)
        {
            _next = next;
            _fileProvider = fileProvider;
        }

        public async Task Invoke(HttpContext context)
        {
            var output = new StringBuilder("");
            //ResolveDirectory(output, "", "");
            ResolveFileInfo(output, "log", ".log");

            await context.Response.WriteAsync(output.ToString());
        }

        //讀取目錄下所有文件內容
        private void ResolveFileInfo(StringBuilder output, string path, string suffix)
        {
            output.AppendLine("UserID    Golds    RecordDate");

            IDirectoryContents dir = _fileProvider.GetDirectoryContents(path);
            foreach (IFileInfo item in dir)
            {
                if (item.IsDirectory)
                {
                    ResolveFileInfo(output,
                        item.PhysicalPath.Substring(Directory.GetCurrentDirectory().Length),
                        suffix);
                }
                else
                {
                    if (item.Name.Contains(suffix))
                    {
                        var userList = new List<UserGolds>();
                        var user = new UserGolds();

                        IFileInfo file = _fileProvider.GetFileInfo(path + "\\" + item.Name);

                        using (var stream = file.CreateReadStream())
                        {
                            using (var reader = new StreamReader(stream))
                            {
                                string content = reader.ReadLine();

                                while (content != null)
                                {
                                    if (content.Contains("begin"))
                                    {
                                        user = new UserGolds();
                                    }
                                    if (content.Contains("寫入時間"))
                                    {
                                        DateTime recordDate;
                                        string strRecordDate = content.Substring(content.IndexOf(":") + 1).Trim();
                                        if (DateTime.TryParse(strRecordDate, out recordDate))
                                        {
                                            user.RecordDate = recordDate;
                                        }
                                    }

                                    if (content.Contains("userid"))
                                    {
                                        int userID;
                                        string strUserID = content.Substring(content.LastIndexOf("=") + 1).Trim();
                                        if (int.TryParse(strUserID, out userID))
                                        {
                                            user.UserID = userID;
                                        }
                                    }

                                    if (content.Contains("golds"))
                                    {
                                        int golds;
                                        string strGolds = content.Substring(content.LastIndexOf("=") + 1).Trim();
                                        if (int.TryParse(strGolds, out golds))
                                        {
                                            user.Golds = golds;
                                        }
                                    }

                                    if (content.Contains("end"))
                                    {
                                        var userMax = userList.FirstOrDefault(u => u.UserID == user.UserID);
                                        if (userMax == null || userMax.UserID <= 0)
                                        {
                                            userList.Add(user);
                                        }
                                        else if (userMax.RecordDate < user.RecordDate)
                                        {
                                            userList.Remove(userMax);
                                            userList.Add(user);
                                        }
                                    }

                                    content = reader.ReadLine();
                                }
                            }
                        }

                        if (userList != null && userList.Count > 0)
                        {
                            foreach (var golds in userList.OrderBy(u => u.RecordDate))
                            {
                                output.AppendLine(golds.UserID.ToString() + "    " + golds.Golds + "    " + golds.RecordDate);
                            }

                            output.AppendLine("");
                        }
                    }
                }
            }
        }

        //讀取目錄下所有文件名
        private void ResolveDirectory(StringBuilder output, string path, string prefix)
        {
            IDirectoryContents dir = _fileProvider.GetDirectoryContents(path);
            foreach (IFileInfo item in dir)
            {
                if (item.IsDirectory)
                {
                    output.AppendLine(prefix + "[" + item.Name + "]");

                    ResolveDirectory(output,
                        item.PhysicalPath.Substring(Directory.GetCurrentDirectory().Length),
                        prefix + "    ");
                }
                else
                {
                    output.AppendLine(path + prefix + item.Name);
                }
            }
        }
    }

    public static class UseFileProviderExtensions
    {
        public static IApplicationBuilder UseFileProvider(this IApplicationBuilder app)
        {
            return app.UseMiddleware<FileProviderMiddleware>();
        }
    }
}

上面有兩個方法 ResolveFileInfo()和ResolveDirectory()

ResolveFileInfo()  讀取目錄下所有文件內容,也就是需求所用的方法

ResolveDirectory() 讀取目錄下所有文件名,是輸出目錄下所有目錄和文件名,不是需求所需但也可以用

修改Startup類的Configure()方法,在app管道中使用文件中間件服務

public void Configure(IApplicationBuilder app, IHostingEnvironment env)
{
  if (env.IsDevelopment())
  {
    app.UseDeveloperExceptionPage();
  }

  app.UseFileProvider();
  
  app.Run(async (context) =>
  {
    await context.Response.WriteAsync("Hello World!");
  });
}

到此所有代碼都已編寫完成

啟動運行項目,得到所需結果,頁面結果如下

源碼訪問地址:https://github.com/Liu-Alan/Snai.File



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

-Advertisement-
Play Games
更多相關文章
  • 把一個數組最開始的若幹個元素搬到數組的末尾,我們稱之為數組的旋轉。 輸入一個非減排序的數組的一個旋轉,輸出旋轉數組的最小元素。 例如數組{3,4,5,1,2}為{1,2,3,4,5}的一個旋轉,該數組的最小值為1。 NOTE:給出的所有元素都大於0,若數組大小為0,請返回0。 1.利用二分法尋找數組... ...
  • redux-framework的相關鏈接 Redux的官方網站:https://reduxframework.com/ Redux文檔查詢:https://docs.reduxframework.com/core/ Github:https://github.com/ReduxFramework/r ...
  • 輸出 C:\Python3.7.0\python3.exe F:/PycharmProjects/python_s3/day13/jichuceshi.py1 植物2 動物>>>11 草本植物2 木本植物3 水生植物>>>>b1 植物2 動物>>>21 兩棲動物2 禽類3 哺乳類動物>>>>2雛雞原 ...
  • 進群:548377875 即可獲取數十套PDF哦! 工具需求: 輸入:給定公眾號ID,和用戶需要獲取的公眾號文章目錄頁碼數(小於已發佈最大收錄頁數) ( 輸出Ⅰ:每個公眾號歷史文章信息csv文件(鏈接+標題) 輸出Ⅱ: wkhtmltopdf和pdfkit將html轉換成PDF文件或者圖片文件(初稿 ...
  • Java編程未入門者,教你從0到1,通過“你問我答”的方式,促使你去思考一些小問題,比如:為什麼要安裝JDK?為什麼要配置環境變數?等問題,帶你從不同的視角學習Java編程語言! 最後手把手教你配置Java環境變數以及實現“HelloWorld!” ...
  • "到目錄" 在dotnetcore里,連接mysql數據,插入中文時出現無法識別,並提示插入失敗的情況,分析後得知它是編碼問題,即資料庫編碼問題,你的中文在數據表裡無法被識別! 解決方法(一) 進行mysql控制台 執行下麵語句即可 解決方法(二) 建立資料庫或者修改資料庫的編碼為utf8即可 解決 ...
  • 繼承概念 多態:即一個介面,多個功能 同一種操作作用於不同的對象,可以有不同的解釋,產生不同的執行結果 多態性可以是靜態的或動態的。在靜態多態性中,函數的響應是在編譯時發生的。在動態多態性中,函數的響應是在運行時發生的 靜態多態性 在靜態多態性中,函數的響應是在編譯時發生的 父類中如果有方法需要子類 ...
  • “大菜”:源於自己剛踏入猿途混沌時起,自我感覺不是一般的菜,因而得名“大菜”,於自身共勉。 擴展閱讀 "c 基礎系列1 深入理解 值類型和引用類型" "c 基礎系列2 深入理解 String" 在上篇文章 深入理解值類型和引用類型 的時候,有的小伙伴就推薦說一說ref和out 關鍵字,昨天晚上徹夜難 ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...