Ovaj vodič pokazuje kako dodati real-time LaTeX matematički rendering u aplikaciju ASP.NET pomoću Aspose.TEX za .NET. Izgradit ćete malu web API koja prihvaća ulazak LaTex, vraća ga na PNG, vrati bajte slike s ispravnim tipom sadržaja i cache rezultate na disku.

Što ćete izgraditi

  • Aplikacija ASP.NET Core sadrži:

  • Endpoint POST /api/latex/png koji prihvaća LaTeX i vraća PNG sliku

  • Jednostavna HTML stranica gdje korisnici unose jednadžbu i vide živu predviđanje

  • Disk caching ključ od sadržaja hash i DPI

  • Validacija osnovnih ulaznih podataka i sandboxed radni direktori

Možete kopirati kod i pokrenuti ga kako je.

Preduzeća

  • Windows, Linux ili macOS s .NET 6 ili novijim

  • Visual Studio 2022 ili VS Koda* s C# proširenjem

  • NuGet pakiranje Aspose.TeX

dotnet add package Aspose.TeX

Aspose.TeX izložba TeXOptions, TeXConfig.ObjectLaTeX, PngSaveOptions, ImageDevice, TeXJob, InputFileSystemDirectory, i OutputFileSystemDirectoryKoristite ih kako biste prenijeli LaTeX na PNG.

Projektni layout

Stvorite ASP.NET Core Web API projekt, a zatim dodajte uslugu s laganom težinom plus minimalnu HTML stranicu.

AsposeTexDemo/
  Program.cs
  Services/
    LatexRenderer.cs
  wwwroot/
    index.html

Služba: LaTeX do PNG renderera

Ova služba piše LaTeX na privremeno .tex datoteka, radi Aspose.TeX posao, i vraća PNG bajte. također implementira jednostavan cache na disku.

// File: Services/LatexRenderer.cs
using System.Security.Cryptography;
using System.Text;
using Aspose.TeX;

namespace AsposeTexDemo.Services;

public sealed class LatexRenderer
{
    private readonly string _cacheRoot;
    private readonly ILogger<LatexRenderer> _log;

    public LatexRenderer(IWebHostEnvironment env, ILogger<LatexRenderer> log)
    {
        _cacheRoot = Path.Combine(env.ContentRootPath, "tex-cache");
        Directory.CreateDirectory(_cacheRoot);
        _log = log;
    }

    // Public entry point. Renders LaTeX to PNG and returns bytes.
    public async Task<byte[]> RenderPngAsync(string latexBody, int dpi = 200, CancellationToken ct = default)
    {
        // Validate and normalize input
        var normalized = NormalizeLatex(latexBody);
        ValidateLatex(normalized);

        // Cache key depends on content and dpi
        var key = Hash($"{normalized}\n{dpi}");
        var cacheDir = Path.Combine(_cacheRoot, key);
        var cachePng = Path.Combine(cacheDir, "out.png");

        if (File.Exists(cachePng))
        {
            _log.LogDebug("Cache hit: {Key}", key);
            return await File.ReadAllBytesAsync(cachePng, ct);
        }

        Directory.CreateDirectory(cacheDir);

        // Prepare a minimal document that wraps the math
        var texDoc = BuildStandaloneDocument(normalized);

        // Write the .tex source into an isolated working folder
        var workDir = Path.Combine(cacheDir, "work");
        Directory.CreateDirectory(workDir);
        var texPath = Path.Combine(workDir, "doc.tex");
        await File.WriteAllTextAsync(texPath, texDoc, Encoding.UTF8, ct);

        // Configure Aspose.TeX conversion options
        var options = TeXOptions.ConsoleAppOptions(TeXConfig.ObjectLaTeX);
        options.InputWorkingDirectory  = new InputFileSystemDirectory(workDir);
        options.OutputWorkingDirectory = new OutputFileSystemDirectory(workDir);

        var png = new PngSaveOptions
        {
            // If you want higher fidelity on HiDPI displays, raise this number
            Resolution = dpi,

            // When false, the ImageDevice buffers PNG bytes in memory so you can capture them without file I/O
            // You can also leave the default (true) and read the file from disk. Both modes are shown below.
            DeviceWritesImages = false
        };
        options.SaveOptions = png;

        // Run the job; capture PNG bytes from the device
        var device = new ImageDevice();
        new TeXJob(texPath, device, options).Run();

        if (device.Result == null || device.Result.Length == 0)
            throw new InvalidOperationException("No PNG output generated by TeX engine.");

        var pngBytes = device.Result[0];

        // Persist into cache for the next request
        await File.WriteAllBytesAsync(cachePng, pngBytes, ct);

        // Clean up working files except cachePng if you want to keep cache slim
        TryDeleteDirectory(workDir);

        return pngBytes;
    }

    private static void TryDeleteDirectory(string dir)
    {
        try { if (Directory.Exists(dir)) Directory.Delete(dir, true); }
        catch { /* swallow to avoid noisy logs in high traffic */ }
    }

    // Minimal, safe preamble for math using Object LaTeX
    private static string BuildStandaloneDocument(string latexBody)
    {
        // With standalone class, the output image is tightly cropped around content
        return
$@"\documentclass{{standalone}}
\usepackage{{amsmath}}
\usepackage{{amssymb}}
\begin{{document}}
{latexBody}
\end{{document}}";
    }

    // Allow plain math snippets like x^2 + y^2 = z^2 and also wrapped forms like \[ ... \]
    private static string NormalizeLatex(string input)
    {
        input = input.Trim();

        // If user did not wrap math, wrap in display math to get proper spacing
        if (!(input.StartsWith(@"\[") && input.EndsWith(@"\]"))
            && !(input.StartsWith(@"$$") && input.EndsWith(@"$$")))
        {
            return $"\\[{input}\\]";
        }
        return input;
    }

    // Very conservative validation to avoid file inclusion or shell escapes
    private static void ValidateLatex(string input)
    {
        // Disallow commands that can touch the filesystem or process environment
        string[] blocked = {
            @"\write18", @"\input", @"\include", @"\openout", @"\write", @"\read",
            @"\usepackage", // preamble is fixed in BuildStandaloneDocument; avoid arbitrary packages
            @"\loop", @"\csname", @"\newread", @"\newwrite"
        };

        foreach (var b in blocked)
        {
            if (input.Contains(b, StringComparison.OrdinalIgnoreCase))
                throw new ArgumentException($"The LaTeX contains a forbidden command: {b}");
        }

        if (input.Length > 4000)
            throw new ArgumentException("Equation too long. Please keep input under 4000 characters.");
    }

    private static string Hash(string s)
    {
        using var sha = SHA256.Create();
        var bytes = sha.ComputeHash(Encoding.UTF8.GetBytes(s));
        return Convert.ToHexString(bytes).ToLowerInvariant();
    }
}

Web API: minimalna ASP.NET Core završna točka

To definira ugovor JSON-a, registrira renderera i izloži POST Slijedeći članakKako vratiti PNG?

// File: Program.cs
using System.Text.Json.Serialization;
using AsposeTexDemo.Services;

var builder = WebApplication.CreateBuilder(args);

// Optional: serve a simple static page for testing
builder.Services.AddDirectoryBrowser();

// Add the renderer
builder.Services.AddSingleton<LatexRenderer>();

// Configure Kestrel limits for small payloads
builder.WebHost.ConfigureKestrel(opt =>
{
    opt.Limits.MaxRequestBodySize = 256 * 1024; // 256 KB per request is plenty for math
});

var app = builder.Build();

// Serve wwwroot for quick manual testing
app.UseDefaultFiles();
app.UseStaticFiles();

// DTOs
public record LatexRequest(
    [property: JsonPropertyName("latex")] string Latex,
    [property: JsonPropertyName("dpi")]   int? Dpi
);

app.MapPost("/api/latex/png", async (LatexRequest req, LatexRenderer renderer, HttpContext ctx, CancellationToken ct) =>
{
    if (string.IsNullOrWhiteSpace(req.Latex))
        return Results.BadRequest(new { error = "Missing 'latex'." });

    int dpi = req.Dpi is > 0 and <= 600 ? req.Dpi.Value : 200;

    try
    {
        var bytes = await renderer.RenderPngAsync(req.Latex, dpi, ct);
        ctx.Response.Headers.CacheControl = "public, max-age=31536000, immutable";
        return Results.File(bytes, "image/png");
    }
    catch (ArgumentException ex)
    {
        return Results.BadRequest(new { error = ex.Message });
    }
    catch (Exception ex)
    {
        // Hide engine details from clients; log the exception server-side if needed
        return Results.StatusCode(500);
    }
});

// Health check
app.MapGet("/health", () => Results.Ok(new { ok = true }));

app.Run();

Jednostavna testna stranica

Upišite ovo u wwwroot/index.html da probate API u pregledniku bez ikakvog front-end okvira.

<!doctype html>
<html lang="en">
<head>
  <meta charset="utf-8" />
  <title>Aspose.TeX LaTeX Demo</title>
  <meta name="viewport" content="width=device-width,initial-scale=1" />
  <style>
    body{font-family:system-ui,Segoe UI,Roboto,Arial,sans-serif;margin:2rem;line-height:1.4}
    textarea{width:100%;height:8rem}
    .row{display:flex;gap:1rem;align-items:flex-start;margin-top:1rem;flex-wrap:wrap}
    .card{border:1px solid #ddd;border-radius:8px;padding:1rem;flex:1 1 320px}
    img{max-width:100%;height:auto;border:1px solid #eee;border-radius:4px;background:#fff}
    label{font-weight:600}
    input[type=number]{width:6rem}
    .muted{color:#666;font-size:.9rem}
    .error{color:#b00020}
  </style>
</head>
<body>
  <h1>Real-time LaTeX to PNG with Aspose.TeX</h1>
  <p class="muted">Type LaTeX math and click Render. The server returns a PNG image rendered by Aspose.TeX.</p>

  <div class="card">
    <label for="latex">LaTeX</label><br />
    <textarea id="latex">x^2 + y^2 = z^2</textarea><br />
    <label for="dpi">DPI</label>
    <input id="dpi" type="number" min="72" max="600" value="200" />
    <button id="btn">Render</button>
    <div id="msg" class="error"></div>
  </div>

  <div class="row">
    <div class="card">
      <h3>Preview</h3>
      <img id="preview" alt="Rendered equation will appear here" />
    </div>
    <div class="card">
      <h3>cURL</h3>
      <pre id="curl" class="muted"></pre>
    </div>
  </div>

  <script>
    const btn = document.getElementById('btn');
    const latex = document.getElementById('latex');
    const dpi = document.getElementById('dpi');
    const img = document.getElementById('preview');
    const msg = document.getElementById('msg');
    const curl = document.getElementById('curl');

    function updateCurl() {
      const payload = JSON.stringify({ latex: latex.value, dpi: Number(dpi.value) }, null, 0);
      curl.textContent =
`curl -s -X POST http://localhost:5000/api/latex/png \
  -H "Content-Type: application/json" \
  -d '${payload}' --output out.png`;
    }

    updateCurl();

    [latex, dpi].forEach(el => el.addEventListener('input', updateCurl));

    btn.addEventListener('click', async () => {
      msg.textContent = '';
      img.src = '';
      try {
        const payload = { latex: latex.value, dpi: Number(dpi.value) };
        const res = await fetch('/api/latex/png', {
          method: 'POST',
          headers: { 'Content-Type': 'application/json' },
          body: JSON.stringify(payload)
        });
        if (!res.ok) {
          const err = await res.json().catch(() => ({}));
          msg.textContent = err.error || `Error ${res.status}`;
          return;
        }
        const blob = await res.blob();
        img.src = URL.createObjectURL(blob);
      } catch (e) {
        msg.textContent = 'Request failed.';
      }
    });
  </script>
</body>
</html>

Provedite projekt

dotnet run

Open http://localhost:5000 ili http://localhost:5173 Ovisno o vašem profilu pokretanja.Tipirajte jednadžbu i kliknite na Render.Predizorske ažuriranja s izlaskom PNG sa strane servera.

Konfiguriranje i implementacija beležaka

  • Aspose.TeX licencijaAko imate licencijsku datoteku, postavite je tijekom starta kako biste uklonili ograničenja ocjenjivanja.
// in Program.cs, before first use
// new Aspose.TeX.License().SetLicense("Aspose.Total.lic");
    • lokacija pokrivača*Renderer piše cache datoteke ispod tex-cache/ U korijenu sadržaja. na Linuxu ili kontejneriziranim implementacijama možete postaviti ovaj put na trajni volumen.
  • Zahtjev za ograničenje veličinePrimjerni kapsovi zahtijevaju veličinu od 256 KB. Povećajte ako podržavate veće ulaznice.

    • Pristup prema izvoru*Ako služite API-u s drugačijeg podrijetla od web-mjesta, u skladu s tim omogućite CORS.

Sigurnosna kontrolna lista

  • Služba odbija potencijalno opasne zapovijedi poput \input, \include, i \write18Držite dopuštenu listu čvrstu i držite preambulu fiksnu u BuildStandaloneDocument.
  • Ograničite duljinu ulaza kako biste blokirali patološke terete.
  • Upišite se u jedinstven radni katalog po zahtjevu i nakon uspjeha uklonite katalog.
  • Razmislite o ograničavanju stope na obrnutoj razini proxy ili API vrata za javne web stranice.

Tipovi za performanse

  • Koristite ** disk cache** kako biste izbjegli recomputiranje istih jednakosti. uzorak hashes LaTeX plus DPI da deduplicate rezultate.
  • Držite DPI između 150 i 300 za većinu potreba za UI. Viši DPI povećava vrijeme i veličinu slike.
  • Zagrijte aplikaciju pružajući uobičajenu formulu na startu ako želite da prva korisnička zahteva bude trenutna.
  • Ako vam je potreban izlazak vectora za zoomabilni sadržaj, prebacite na SvgSaveOptions i SvgDevice, a zatim uključite SVG. ostatak cjevovoda je isti.

Troubleshooting

  • Blak izlazak ili pogreškeProvjerite logove servera. ako LaTeX koristi pakete izvan fiksne preambule, uklonite ih. \usepackage Uvođenje korisnika po dizajnu.
  • Klipping ili velike maržeTko je standalone razred dokumenata obično šalje marže čvrsto. ako još uvijek vidite dodatni prostor, upotrijebite \[ i \] za prikaz matematike ili ih ukloniti za veličinu inline.
    • Prijateljski tekst *povećanje PngSaveOptions.ResolutionNa 200 do 300 DPI većina slučajeva UI izgleda crisp.

API brza referenca koja se koristi u kodu

  • TeXOptions.ConsoleAppOptions(TeXConfig.ObjectLaTeX): stvara opcije za objekt LaTeX motor
  • PngSaveOptions: kontrolira proizvodnju PNG s Resolution i DeviceWritesImages
  • ImageDevice: bufer PNG rezultira u memoriji kada DeviceWritesImages = false
  • TeXJob(texPath, device, options).Run()• sastavlja se .tex Priključite se uređaju
  • InputFileSystemDirectory i OutputFileSystemDirectoryDefinicija radnih direktorija za ulaz i izlazak

Uz ove građevinske blokove, vaša aplikacija ASP.NET može LaTeX na potražnju, cache rezultate i pouzdano služiti crisp PNG jednakosti.

More in this category