Ten przewodnik pokazuje, jak dodać w czasie rzeczywistym renderowanie matematyki LaTeX do aplikacji ASP.NET za pomocą Aspose.Tex dla .NET. Będziesz tworzyć małą API internetową, która akceptuje wejście LaTEX, przekazuje go do PNG, zwraca bajty obrazu z prawidłowym typem zawartości i cache wyniki na dysku.
Co będziecie budować
Aplikacja ASP.NET Core zawiera:
Endpoint
POST /api/latex/png
akceptuje LaTeX i zwraca obraz PNGProsta strona HTML, w której użytkownicy wpisują równanie i widzą żywy przegląd
Caching dyskowy za pomocą hashów treści i DPI
Podstawowe weryfikacje wejściowe i katalogi robocze sandboxed
Możesz skopiować kod i uruchomić go tak, jak jest.
Warunki
Windows, Linux lub macOS z .NET 6 lub nowszym
Visual Studio 2022 lub Kod VS z rozszerzeniem C#
Pakiet NuGet Aspose.TeX
dotnet add package Aspose.TeX
ASPOSE.TEX wyświetlacz TeXOptions
, TeXConfig.ObjectLaTeX
, PngSaveOptions
, ImageDevice
, TeXJob
, InputFileSystemDirectory
, i OutputFileSystemDirectory
Będziesz używać tych do przekazywania LaTeX do PNG.
Projekt Layout
Stwórz projekt API ASP.NET Core Web, a następnie dodaj lekką usługę plus minimalną stronę HTML.
AsposeTexDemo/
Program.cs
Services/
LatexRenderer.cs
wwwroot/
index.html
Usługa: LaTeX do renderera PNG
Ta usługa pisze LaTeX do tymczasowego .tex
plik, wykonuje pracę Aspose.TeX i zwraca bajty PNG. Wdraża również prostą cache na dysku.
// 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();
}
}
API sieci Web: minimalny punkt końcowy ASP.NET
Określa to umowę JSON, rejestruje renderera i przedstawia POST
To jest punkt końcowy, który zwraca 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();
Prosta strona testów
Wprowadź to do wwwroot/index.html
aby spróbować API w przeglądarce bez żadnego ramka front-end.
<!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>
Przeprowadź projekt
dotnet run
Open http://localhost:5000
lub http://localhost:5173
W zależności od Twojego profilu uruchomienia. wpisz równanie i kliknij Render. Aktualizacje wstępne z wyjściem PNG po stronie serwera.
Konfiguracja i rozmieszczenie notatek
- Licencja ASPOSE.TEXJeśli masz plik licencji, ustaw go podczas startu, aby usunąć limity oceny.
// in Program.cs, before first use
// new Aspose.TeX.License().SetLicense("Aspose.Total.lic");
- lokalizacja cache*Renderer pisze pliki cache poniżej
tex-cache/
w korzeniach zawartości. na linuxie lub w kontenerowanych instalacjach można zainstalować tę ścieżkę na stałym objęciu. czyścić ją na harmonogram, jeśli to konieczne.
- lokalizacja cache*Renderer pisze pliki cache poniżej
- Limit rozmiaru żądania*Przykładowy kapsułek wymaga rozmiaru do 256 KB. Zwiększ, jeśli obsługujesz większe wpisy.
- Dostęp pochodzenia*Jeśli serwujesz API z innego pochodzenia niż witryna, umożliwia to CORS.
Lista kontroli bezpieczeństwa
- Usługa odrzuca potencjalnie niebezpieczne polecenia, takie jak
\input
,\include
, i\write18
Trzymaj listę dopuszczalną wciśniętą i utrzymuj preamblę wBuildStandaloneDocument
. - Ogranicz długość wejścia, aby zablokować patologiczne obciążenia.
- Przejdź do unikalnego katalogu roboczego na żądanie i usunąć katalog po sukcesie. próbka zachowuje tylko ukryte PNG.
- Uważaj na ograniczenie stawki na odwrotnym poziomie proxy lub API dla witryn publicznych.
Tipy wydajności
- Użyj cache dysku **, aby uniknąć komputowania tych samych równania. próbka hash LaTeX plus DPI do deduplikowania wyników.
- Utrzymuj DPI między 150 a 300 dla większości potrzeb UI. Większy wzrost DPI sprawia, że czas i rozmiar obrazu.
- Ogrzewaj aplikację, tworząc wspólną formułę na starcie, jeśli chcesz, aby pierwsza prośba użytkownika była natychmiastowa.
- Jeśli potrzebujesz wyjścia wektorowego dla zawartości zoomowej, przełącz do
SvgSaveOptions
iSvgDevice
, a następnie włączyć SVG. reszta rurociągu jest taka sama.
Troubleshooting
- Blank wynik lub błędySprawdź logy serwera.Jeśli LaTeX używa pakietów poza stałym preamblem, usunąć je.
\usepackage
Wkład użytkownika według projektu. - Clipping lub duże marginesyW tym
standalone
Klasa dokumentów zwykle wysyła margines twardo. jeśli nadal widzisz dodatkowy przestrzeń, wklej\[
i\]
do wyświetlania matematyki lub usunąć je na rozmiar inline. - Przekierowane tekstywzrost
PngSaveOptions.Resolution
W odległości od 200 do 300 DPI większość przypadków UI wygląda krzyżowo.
Szybka referencja API używana w kodzie
TeXOptions.ConsoleAppOptions(TeXConfig.ObjectLaTeX)
: tworzy opcje dla silnika Object LaTeXPngSaveOptions
: kontroluje produkcję PNG zResolution
iDeviceWritesImages
ImageDevice
PNG powoduje w pamięci, gdyDeviceWritesImages = false
TeXJob(texPath, device, options).Run()
Kompilacja The.tex
Archiwum do urządzeniaInputFileSystemDirectory
iOutputFileSystemDirectory
: określić dyrektywy robocze dla wejścia i wyjścia
Dzięki tym blokom budowlanym aplikacja ASP.NET może zapewnić LaTeX na żądanie, wyniki cache i niezawodnie obsługiwać równania PNG.