[WPF] 使用Silk.NET繪製D3D9或OpenGL內容並完美解決空域問題。

来源:https://www.cnblogs.com/xymfblogs/archive/2023/02/13/17116581.html
-Advertisement-
Play Games

可擴展渲染控制項實現的基本思路(D3D、OpenGL繪製所使用的基類): 首先創建一個抽象類 FramebufferBase,該類主要記錄當前控制項寬高和圖像資源。 public abstract class FramebufferBase : IDisposable { public abstract ...


可擴展渲染控制項實現的基本思路(D3D、OpenGL繪製所使用的基類):

 

 

 

首先創建一個抽象類 FramebufferBase,該類主要記錄當前控制項寬高和圖像資源。

public abstract class FramebufferBase : IDisposable
{
    public abstract int FramebufferWidth { get; }

    public abstract int FramebufferHeight { get; }

    public abstract D3DImage D3dImage { get; }

    public abstract void Dispose();
}
View Code

接下來創建一個基本繪製控制項,我這邊取名為GameBase

public abstract class GameBase<TFrame> : Control where TFrame : FramebufferBase

當我們在繪製3d內容的時候,總是會先在繪製前做一個準備,比如載入Shader,設置頂點、紋理等等。。。

所以我們應該加入 準備階段事件 和 繪製事件。

當然如果當前幀繪製完成後,我們也可以做一些操作為下一次渲染做準備。

public abstract event Action Ready;
public abstract event Action<TimeSpan> Render;
public abstract event Action<object, TimeSpan> UpdateFrame;
View Code

創建三個抽象方法 OnStart、OnDraw、OnSizeChanged

因為D3D和OpenGL創建幀和繪製的方式不太一致,所以需要提出來在繼承類中做實現。

protected abstract void OnStart();
protected abstract void OnDraw(DrawingContext drawingContext);
protected abstract void OnSizeChanged(SizeChangedInfo sizeInfo);
View Code

重載OnRenderSizeChanged、OnRender方法

因為新版本VS加入後了設計時預覽,所以我判斷了下(DesignerProperties.GetIsInDesignMode)。

protected override void OnRenderSizeChanged(SizeChangedInfo sizeInfo)
{
    if (!DesignerProperties.GetIsInDesignMode(this))
    {
        OnSizeChanged(sizeInfo);
    }
}

protected override void OnRender(DrawingContext drawingContext)
{
  if (DesignerProperties.GetIsInDesignMode(this))
  {
    DesignTimeHelper.DrawDesign(this, drawingContext);
  }
  else
  {
    if (Framebuffer != null && Framebuffer.D3dImage.IsFrontBufferAvailable)
    {
      OnDraw(drawingContext);

      _stopwatch.Restart();
    }
  }
}
View Code

創建一個Start方法

CompositionTarget.Rendering事件用於幀繪製並計算幀率。

public void Start()
{
  if (!DesignerProperties.GetIsInDesignMode(this))
  {
    IsVisibleChanged += (_, e) =>
    {
      if ((bool)e.NewValue)
      {
        CompositionTarget.Rendering += CompositionTarget_Rendering;
      }
      else
      {
        CompositionTarget.Rendering -= CompositionTarget_Rendering;
      }
    };

    Loaded += (_, _) => InvalidateVisual();

    OnStart();
  }
}
private void CompositionTarget_Rendering(object sender, EventArgs e)
{
  RenderingEventArgs args = (RenderingEventArgs)e;

  if (_lastRenderTime != args.RenderingTime)
  {
    InvalidateVisual();

    _fpsSample.Add(Convert.ToInt32(1000.0d / (args.RenderingTime.TotalMilliseconds - _lastRenderTime.TotalMilliseconds)));
    // 樣本數 30
    if (_fpsSample.Count == 30)
    {
      Fps = Convert.ToInt32(_fpsSample.Average());
      _fpsSample.Clear();
    }

    _lastRenderTime = args.RenderingTime;
  }
}
View Code

初期階段,做這些準備就夠了

剩下一些變數和依賴屬性

public static readonly DependencyProperty FpsProperty = DependencyProperty.Register(nameof(Fps), typeof(int), typeof(GameBase<TFrame>), new PropertyMetadata(0));
    
protected readonly Stopwatch _stopwatch = Stopwatch.StartNew();
private readonly List<int> _fpsSample = new();

protected TimeSpan _lastRenderTime = TimeSpan.FromSeconds(-1);
protected TimeSpan _lastFrameStamp;

protected TFrame Framebuffer { get; set; }
public int Fps
{
    get { return (int)GetValue(FpsProperty); }
    set { SetValue(FpsProperty, value); }
}
View Code

OK,基本思路就這樣,接下來我將講解具體實現。

D3D9繪製:

使用庫:Silk.NET.Direct3D9

創建RenderContext類,此類主要功能是創建d3d設備及繪製格式。

創建一個d3d9的實例。

IDirect3D9Ex* direct3D9;
D3D9.GetApi().Direct3DCreate9Ex(D3D9.SdkVersion, &direct3D9);

獲取屏幕基本信息。

Displaymodeex pMode = new((uint)sizeof(Displaymodeex));
direct3D9->GetAdapterDisplayModeEx(D3D9.AdapterDefault, ref pMode, null);

創建d3d9設備。

重要參數:

BackBufferFormat 這個要與獲取的屏幕信息里的格式一致。

PresentParameters presentParameters = new()
{
  Windowed = 1,
  SwapEffect = Swapeffect.Discard,
  HDeviceWindow = 0,
  PresentationInterval = 0,
  BackBufferFormat = pMode.Format,
  BackBufferWidth = 1,
  BackBufferHeight = 1,
  AutoDepthStencilFormat = Format.Unknown,
  BackBufferCount = 1,
  EnableAutoDepthStencil = 0,
  Flags = 0,
  FullScreenRefreshRateInHz = 0,
  MultiSampleQuality = 0,
  MultiSampleType = MultisampleType.MultisampleNone
};
direct3D9->CreateDeviceEx(D3D9.AdapterDefault, Devtype.Hal, 0, D3D9.CreateHardwareVertexprocessing | D3D9.CreateMultithreaded | D3D9.CreatePuredevice, ref presentParameters, (Displaymodeex*)IntPtr.Zero, &device);
View Code

完整代碼:

public unsafe class RenderContext
{
    public IDirect3DDevice9Ex* Device { get; }

    public Format Format { get; }

    public RenderContext()
    {
        IDirect3D9Ex* direct3D9;
        IDirect3DDevice9Ex* device;
        D3D9.GetApi().Direct3DCreate9Ex(D3D9.SdkVersion, &direct3D9);

        Displaymodeex pMode = new((uint)sizeof(Displaymodeex));
        direct3D9->GetAdapterDisplayModeEx(D3D9.AdapterDefault, ref pMode, null);

        PresentParameters presentParameters = new()
        {
            Windowed = 1,
            SwapEffect = Swapeffect.Discard,
            HDeviceWindow = 0,
            PresentationInterval = 0,
            BackBufferFormat = pMode.Format,
            BackBufferWidth = 1,
            BackBufferHeight = 1,
            AutoDepthStencilFormat = Format.Unknown,
            BackBufferCount = 1,
            EnableAutoDepthStencil = 0,
            Flags = 0,
            FullScreenRefreshRateInHz = 0,
            MultiSampleQuality = 0,
            MultiSampleType = MultisampleType.MultisampleNone
        };
        direct3D9->CreateDeviceEx(D3D9.AdapterDefault, Devtype.Hal, 0, D3D9.CreateHardwareVertexprocessing | D3D9.CreateMultithreaded | D3D9.CreatePuredevice, ref presentParameters, (Displaymodeex*)IntPtr.Zero, &device);

        Device = device;
        Format = pMode.Format;
    }
}
View Code

繼承FramebufferBase創建Framebuffer

這裡就是根據傳入的寬高創建一個新的Surface並綁定到D3DImage

public unsafe class Framebuffer : FramebufferBase
{
    public RenderContext Context { get; }

    public override int FramebufferWidth { get; }

    public override int FramebufferHeight { get; }

    public override D3DImage D3dImage { get; }

    public Framebuffer(RenderContext context, int framebufferWidth, int framebufferHeight)
    {
        Context = context;
        FramebufferWidth = framebufferWidth;
        FramebufferHeight = framebufferHeight;

        IDirect3DSurface9* surface;
        context.Device->CreateRenderTarget((uint)FramebufferWidth, (uint)FramebufferHeight, context.Format, MultisampleType.MultisampleNone, 0, 0, &surface, null);
        context.Device->SetRenderTarget(0, surface);

        D3dImage = new D3DImage();
        D3dImage.Lock();
        D3dImage.SetBackBuffer(D3DResourceType.IDirect3DSurface9, (IntPtr)surface);
        D3dImage.Unlock();
    }

    public override void Dispose()
    {
        GC.SuppressFinalize(this);
    }
}
View Code

創建GameControl,並繼承GameBase

public unsafe class GameControl : GameBase<Framebuffer>
private RenderContext _context;

public IDirect3DDevice9Ex* Device { get; private set; }
public Format Format { get; private set; }

public override event Action Ready;
public override event Action<TimeSpan> Render;
public override event Action<object, TimeSpan> UpdateFrame;

重載OnStart方法

在使用時,OnStart只調用一次並創建RenderContext

protected override void OnStart()
{
  if (_context == null)
  {
    _context = new RenderContext();
    Device = _context.Device;
    Format = _context.Format;

    Ready?.Invoke();
  }
}
View Code

重載OnSizeChanged方法

每當控制項大小方式改變時,將重新創建Framebuffer。

protected override void OnSizeChanged(SizeChangedInfo sizeInfo)
{
  if (_context != null && sizeInfo.NewSize.Width > 0 && sizeInfo.NewSize.Height > 0)
  {
    Framebuffer?.Dispose();
    Framebuffer = new Framebuffer(_context, (int)sizeInfo.NewSize.Width, (int)sizeInfo.NewSize.Height);
  }
}
View Code

重載OnDraw方法

首先鎖定D3dImage,執行Render進行繪製。

繪製完成後,刷新D3dImage並解鎖。

將D3dImage資源繪製到控制項上。

執行UpdateFrame,告訴使用者,已經繪製完成。

protected override void OnDraw(DrawingContext drawingContext)
{
  Framebuffer.D3dImage.Lock();

  Render?.Invoke(_stopwatch.Elapsed - _lastFrameStamp);

  Framebuffer.D3dImage.AddDirtyRect(new Int32Rect(0, 0, Framebuffer.FramebufferWidth, Framebuffer.FramebufferHeight));
  Framebuffer.D3dImage.Unlock();

  Rect rect = new(0, 0, Framebuffer.D3dImage.Width, Framebuffer.D3dImage.Height);
  drawingContext.DrawImage(Framebuffer.D3dImage, rect);

  UpdateFrame?.Invoke(this, _stopwatch.Elapsed - _lastFrameStamp);
}
View Code

使用方式:

<UserControl x:Class="SilkWPF.Direct3D9.Sample.MiniTri"
             xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
             xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
             xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
             xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
             xmlns:direct3D9="clr-namespace:SilkWPF.Direct3D9"
             mc:Ignorable="d"
             d:DesignHeight="450"
             d:DesignWidth="800">
    <Grid>
        <direct3D9:GameControl x:Name="Game" />
        <TextBlock HorizontalAlignment="Left"
                   VerticalAlignment="Top"
                   Margin="10,5,0,0"
                   FontSize="30"
                   Foreground="Green"
                   Text="{Binding ElementName=Game, Path=Fps}" />
    </Grid>
</UserControl>
Xaml
using Silk.NET.Direct3D9;
using Silk.NET.Maths;
using SilkWPF.Common;
using System.Diagnostics;
using System.Numerics;
using System.Runtime.InteropServices;
using System.Windows.Controls;

namespace SilkWPF.Direct3D9.Sample;

/// <summary>
/// MiniTri.xaml 的交互邏輯
/// </summary>
public unsafe partial class MiniTri : UserControl
{
    [StructLayout(LayoutKind.Sequential)]
    struct Vertex
    {
        public Vector4 Position;
        public uint Color;
    }

    private readonly Stopwatch _stopwatch = Stopwatch.StartNew();
    private readonly Vertex[] _vertices =
    {
        new Vertex() { Color = (uint)SilkColor.Red.ToBgra(), Position = new Vector4(400.0f, 100.0f, 0.5f, 1.0f) },
        new Vertex() { Color = (uint)SilkColor.Blue.ToBgra(), Position = new Vector4(650.0f, 500.0f, 0.5f, 1.0f) },
        new Vertex() { Color = (uint)SilkColor.Green.ToBgra(), Position = new Vector4(150.0f, 500.0f, 0.5f, 1.0f) }
    };
    private readonly Vertexelement9[] _vertexelements =
    {
        new Vertexelement9(0, 0, 3, 0, 9, 0),
        new Vertexelement9(0, 16, 4, 0, 10, 0),
        new Vertexelement9(255, 0, 17, 0, 0, 0)
    };

    private IDirect3DVertexBuffer9* _ppVertexBuffer;
    private IDirect3DVertexDeclaration9* _ppDecl;

    public MiniTri()
    {
        InitializeComponent();

        Game.Ready += Game_Ready;
        Game.Render += Game_Render;
        Game.Start();
    }

    private void Game_Ready()
    {
        fixed (Vertex* ptr = &_vertices[0])
        {
            fixed (Vertexelement9* vertexElems = &_vertexelements[0])
            {
                void* ppbData;
                Game.Device->CreateVertexBuffer(3 * 20, D3D9.UsageWriteonly, 0, Pool.Default, ref _ppVertexBuffer, null);
                _ppVertexBuffer->Lock(0, 0, &ppbData, 0);
                System.Runtime.CompilerServices.Unsafe.CopyBlockUnaligned(ppbData, ptr, (uint)(sizeof(Vertex) * _vertices.Length));
                _ppVertexBuffer->Unlock();

                Game.Device->CreateVertexDeclaration(vertexElems, ref _ppDecl);
            }
        }
    }

    private void Game_Render(TimeSpan obj)
    {
        float hue = (float)_stopwatch.Elapsed.TotalSeconds * 0.15f % 1;
        Vector4 vector = new(1.0f * hue, 1.0f * 0.75f, 1.0f * 0.75f, 1.0f);

        Game.Device->Clear(0, null, D3D9.ClearTarget, (uint)SilkColor.FromHsv(vector).ToBgra(), 1.0f, 0);
        Game.Device->BeginScene();

        Game.Device->SetStreamSource(0, _ppVertexBuffer, 0, 20);
        Game.Device->SetVertexDeclaration(_ppDecl);
        Game.Device->DrawPrimitive(Primitivetype.Trianglelist, 0, 1);

        Game.Device->EndScene();
        Game.Device->Present((Rectangle<int>*)IntPtr.Zero, (Rectangle<int>*)IntPtr.Zero, 1, (RGNData*)IntPtr.Zero);
    }
}
C#

運行代碼,你將得到一個漸變顏色的三角形(amd處理器上對d3d9的支持特別差,使用MediaElement播放視頻也卡的不行)。

顯示幀數比較低,不用太在意(amd出來背鍋)。

 接下來時繪製OpenGL內容:

分割一下 ——————————————————————————————————————————————————————————————————

OpenGL繪製:

實現思路:

使用庫:Silk.NET.Direct3D9、OpenTK

可能大家比較奇怪,為什麼不用Silk.NET.OpenGL,

目前Silk中的Wgl函數並不完整,我這裡需要一些wgl的擴展函數用於關聯D3D9設備。

所以我就先使用OpenTK做繪製。

創建一個OpenGL的配置信息類 Settings

public class Settings
{
    public int MajorVersion { get; set; } = 3;

    public int MinorVersion { get; set; } = 3;

    public ContextFlags GraphicsContextFlags { get; set; } = ContextFlags.Default;

    public ContextProfile GraphicsProfile { get; set; } = ContextProfile.Core;

    public IGraphicsContext ContextToUse { get; set; }

    public static bool WouldResultInSameContext([NotNull] Settings a, [NotNull] Settings b)
    {
        if (a.MajorVersion != b.MajorVersion)
        {
            return false;
        }

        if (a.MinorVersion != b.MinorVersion)
        {
            return false;
        }

        if (a.GraphicsProfile != b.GraphicsProfile)
        {
            return false;
        }

        if (a.GraphicsContextFlags != b.GraphicsContextFlags)
        {
            return false;
        }

        return true;

    }
}
View Code

 創建RenderContext

具體實現與d3d差不太多,主要是創建設備。

不過要註意GetOrCreateSharedOpenGLContext方法,他是靜態的,

我們在初始化wgl時需要一個窗體,所以我在這裡讓所有繪製控制項都使用一個窗體。

public unsafe class RenderContext
{
    private static IGraphicsContext _sharedContext;
    private static Settings _sharedContextSettings;
    private static int _sharedContextReferenceCount;

    public Format Format { get; }

    public IntPtr DxDeviceHandle { get; }

    public IntPtr GlDeviceHandle { get; }

    public IGraphicsContext GraphicsContext { get; }

    public RenderContext(Settings settings)
    {
        IDirect3D9Ex* direct3D9;
        IDirect3DDevice9Ex* device;
        D3D9.GetApi().Direct3DCreate9Ex(D3D9.SdkVersion, &direct3D9);

        Displaymodeex pMode = new((uint)sizeof(Displaymodeex));
        direct3D9->GetAdapterDisplayModeEx(D3D9.AdapterDefault, ref pMode, null);
        Format = pMode.Format;

        PresentParameters presentParameters = new()
        {
            Windowed = 1,
            SwapEffect = Swapeffect.Discard,
            HDeviceWindow = 0,
            PresentationInterval = 0,
            BackBufferFormat = Format,
            BackBufferWidth = 1,
            BackBufferHeight = 1,
            AutoDepthStencilFormat = Format.Unknown,
            BackBufferCount = 1,
            EnableAutoDepthStencil = 0,
            Flags = 0,
            FullScreenRefreshRateInHz = 0,
            MultiSampleQuality = 0,
            MultiSampleType = MultisampleType.MultisampleNone
        };
        direct3D9->CreateDeviceEx(D3D9.AdapterDefault, Devtype.Hal, 0, D3D9.CreateHardwareVertexprocessing | D3D9.CreateMultithreaded | D3D9.CreatePuredevice, ref presentParameters, (Displaymodeex*)IntPtr.Zero, &device);

        DxDeviceHandle = (IntPtr)device;

        GraphicsContext = GetOrCreateSharedOpenGLContext(settings);
        GlDeviceHandle = Wgl.DXOpenDeviceNV((IntPtr)device);
    }

    private static IGraphicsContext GetOrCreateSharedOpenGLContext(Settings settings)
    {
        if (_sharedContext == null)
        {
            NativeWindowSettings windowSettings = NativeWindowSettings.Default;
            windowSettings.StartFocused = false;
            windowSettings.StartVisible = false;
            windowSettings.NumberOfSamples = 0;
            windowSettings.APIVersion = new Version(settings.MajorVersion, settings.MinorVersion);
            windowSettings.Flags = ContextFlags.Offscreen | settings.GraphicsContextFlags;
            windowSettings.Profile = settings.GraphicsProfile;
            windowSettings.WindowBorder = WindowBorder.Hidden;
            windowSettings.WindowState = WindowState.Minimized;
            NativeWindow nativeWindow = new(windowSettings);
            Wgl.LoadBindings(new GLFWBindingsContext());

            _sharedContext = nativeWindow.Context;
            _sharedContextSettings = settings;

            _sharedContext.MakeCurrent();
        }
        else
        {
            if (!Settings.WouldResultInSameContext(settings, _sharedContextSettings))
            {
                throw new ArgumentException($"The provided {nameof(Settings)} would result" +
                                                $"in a different context creation to one previously created. To fix this," +
                                                $" either ensure all of your context settings are identical, or provide an " +
                                                $"external context via the '{nameof(Settings.ContextToUse)}' field.");
            }
        }

        Interlocked.Increment(ref _sharedContextReferenceCount);

        return _sharedContext;
    }
}
View Code

創建Framebuffer

這裡主要用d3d創建一個Surface,

gl根據Surface生成一個Frame。 

public unsafe class Framebuffer : FramebufferBase
{
    public RenderContext Context { get; }

    public override int FramebufferWidth { get; }

    public override int FramebufferHeight { get; }

    public int GLFramebufferHandle { get; }

    public int GLSharedTextureHandle { get; }

    public int GLDepthRenderBufferHandle { get; }

    public IntPtr DxInteropRegisteredHandle { get; }

    public override D3DImage D3dImage { get; }

    public TranslateTransform TranslateTransform { get; }

    public ScaleTransform FlipYTransform { get; }

    public Framebuffer(RenderContext context, int framebufferWidth, int framebufferHeight)
    {
        Context = context;
        FramebufferWidth = framebufferWidth;
        FramebufferHeight = framebufferHeight;

        IDirect3DDevice9Ex* device = (IDirect3DDevice9Ex*)context.DxDeviceHandle;
        IDirect3DSurface9* surface;
        void* surfacePtr = (void*)IntPtr.Zero;
        device->CreateRenderTarget((uint)FramebufferWidth, (uint)FramebufferHeight, context.Format, MultisampleType.MultisampleNone, 0, 0, &surface, &surfacePtr);

        Wgl.DXSetResourceShareHandleNV((IntPtr)surface, (IntPtr)surfacePtr);
        GLFramebufferHandle = GL.GenFramebuffer();
        GLSharedTextureHandle = GL.GenTexture();

        DxInteropRegisteredHandle = Wgl.DXRegisterObjectNV(context.GlDeviceHandle, (IntPtr)surface, (	   

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

-Advertisement-
Play Games
更多相關文章
  • Google Ngram viewer是一個有趣和有用的工具,它使用谷歌從書本中掃描來的海量的數據寶藏,繪製出單詞使用量隨時間的變化。 舉個例子,單詞 Python (區分大小寫) : 這幅圖來自:books.google.com/ngrams… ,描繪了單詞 ‘Python’ 的使用量隨時間的變化 ...
  • Sentinel 是面向分散式服務架構的高可用流量防護組件,主要以流量為切入點,從限流、流量整形、熔斷降級、系統負載保護、熱點防護等多個維度來幫助開發者保障微服務的穩定性。它可以是 Java 應用程式中的任何內容,例如,由應用程式提供的服務,或由應用程式調用的其它應用提供的服務,甚至可以是一段代碼。... ...
  • 1.InitializingBean 失效此介面的類,在初始化完成之後,會自動調用afterPropertiesSet()方法,但是在init-method方法之後(如果配置) @Component public class InitializingBeanTest implements Initi ...
  • 本文內容整理自 博學谷狂野架構師 運行時數據區都包含什麼 虛擬機的基礎面試題 程式計數器 Java 虛擬機棧 本地方法棧 Java 堆 方法區 程式計數器 程式計數器是線程私有的,並且是JVM中唯一不會溢出的區域,用來保存線程切換時的執行行數 程式計數器(Program Counter Regist ...
  • 教程簡介 ASP.NET WP初學者教程 - 從簡單和簡單的步驟學習ASP.NET WP,從基本到高級概念,包括概述,環境設置,入門,視圖引擎,項目文件夾結構,全局頁面,編程概念,佈局,使用表單,頁面對象模型,資料庫,向資料庫添加數據,編輯資料庫數據,刪除資料庫數據,WebGrid,圖表,使用文件, ...
  • 1、jpeg(jpg) - 支持的顏色豐富,不支持透明效果,不支持動圖 - 一般用來顯示照片 2、gif - 支持的顏色較少,支持簡單透明,支持動圖 - 一般用來顯示顏色單一的圖片,動圖 3、png - 支持顏色豐富,支持複雜透明,不支持動圖 - 顏色豐富,複雜透明的照片(專為網頁而生) 4、web ...
  • 在學習WPF之前我們要首先瞭解並認識一個新的東西-XAML。什麼是XAML?XAML和WPF的關係是什麼?在項目中怎麼使用XAML?接下來我們來一點一點的認識Ta。 1 - 什麼是XAML? 百度百科是這麼說的 XAML是eXtensible Application Markup Language的 ...
  • 前言 最近寫了三篇關於並行非同步的博客,因為我走了很多彎路。 並行執行非同步方法並接收返回值這個問題,stackoverflow上討論好幾年,.NET 6實現了Parallel.ForeachAsync。https://stackoverflow.com/questions/15136542/paral ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...