Pruebas en un entorno real
Pruebe en producción sin marcas de agua.
Funciona donde lo necesites.
La gestión de la concurrencia es un aspecto crítico de las aplicaciones de alto rendimiento en C#. Garantiza que los recursos se utilicen de forma eficiente evitando posibles conflictos o cuellos de botella en el rendimiento, por lo que disponer de un semáforo ligero que controle el acceso puede ser muy útil. Aquí es dondeSemaphoreSlim entra en juego. SemaphoreSlim es una primitiva de sincronización ligera que controla el acceso a los recursos, evitando en última instancia las condiciones de carrera y garantizando la seguridad de los hilos.
¿Y si quisieras implementar esto junto con una biblioteca PDF para gestionar los procesos de generación de PDF? Es posible que esté buscando una potente biblioteca PDF, en la queIronPDF entra. IronPDF es una robusta biblioteca de generación y manipulación de PDF para desarrolladores .NET que puede beneficiarse enormemente de la gestión de concurrencia cuando se utiliza en entornos multihilo.
Si desea ver SemaphoreSlim y IronPDF en acción, asegúrese de seguir leyendo mientras exploramos los beneficios de usar SemaphoreSlim y cómo integrarlo con IronPDF para manejar con seguridad las operaciones concurrentes, mejorar el rendimiento y garantizar un procesamiento fiable de PDF.
SemaphoreSlim es una primitiva de sincronización de .NET que limita el número de subprocesos que pueden acceder simultáneamente a un determinado recurso o conjunto de recursos. Se trata de una versión ligera de la clase Semaphore completa, diseñada para funcionar de forma más eficiente en situaciones en las que basta con un semáforo más sencillo y rápido.
Algunas ventajas de utilizar SemaphoreSlim son que la sobrecarga del sistema se reduce en comparación con Semaphore, es ideal para gestionar recursos limitados(como conexiones a bases de datos o acceso a archivos)además, es compatible con métodos de espera asíncronos, por lo que se adapta bien a los modernos patrones de programación asíncronos/de espera.
using System;
using System.Threading;
using System.Threading.Tasks;
class program
{
// Semaphore count
private static SemaphoreSlim semaphore = new SemaphoreSlim(3); // Limit to 3 concurrent threads.
static async Task Main(string[] args)
{
// Start tasks that will wait on the semaphore.
var tasks = new Task[5];
for (int i = 0; i < tasks.Length; i++)
{
tasks[i] = Task.Run(() => AccessResource(i));
}
// Simulate some work in the main thread (e.g., initialization).
Console.WriteLine("Main thread is preparing resources...");
await Task.Delay(2000); // Simulate initialization delay.
// main thread calls release, releases semaphore permits to allow waiting tasks to proceed.
Console.WriteLine("Main thread releasing semaphore permits...");
semaphore.Release(2); // Releases 2 permits, allowing up to 2 tasks to proceed.
// Wait for all tasks to complete.
await Task.WhenAll(tasks);
Console.WriteLine("All tasks completed.");
}
static async Task AccessResource(int id)
{
Console.WriteLine($"Task {id} waiting to enter...");
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"current thread successfully entered by Task {id} .");
await Task.Delay(1000); // Simulate work.
}
finally
{
Console.WriteLine($"Task {id} releasing.");
_semaphore.Release();
}
}
}
using System;
using System.Threading;
using System.Threading.Tasks;
class program
{
// Semaphore count
private static SemaphoreSlim semaphore = new SemaphoreSlim(3); // Limit to 3 concurrent threads.
static async Task Main(string[] args)
{
// Start tasks that will wait on the semaphore.
var tasks = new Task[5];
for (int i = 0; i < tasks.Length; i++)
{
tasks[i] = Task.Run(() => AccessResource(i));
}
// Simulate some work in the main thread (e.g., initialization).
Console.WriteLine("Main thread is preparing resources...");
await Task.Delay(2000); // Simulate initialization delay.
// main thread calls release, releases semaphore permits to allow waiting tasks to proceed.
Console.WriteLine("Main thread releasing semaphore permits...");
semaphore.Release(2); // Releases 2 permits, allowing up to 2 tasks to proceed.
// Wait for all tasks to complete.
await Task.WhenAll(tasks);
Console.WriteLine("All tasks completed.");
}
static async Task AccessResource(int id)
{
Console.WriteLine($"Task {id} waiting to enter...");
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"current thread successfully entered by Task {id} .");
await Task.Delay(1000); // Simulate work.
}
finally
{
Console.WriteLine($"Task {id} releasing.");
_semaphore.Release();
}
}
}
Imports System
Imports System.Threading
Imports System.Threading.Tasks
Friend Class program
' Semaphore count
Private Shared semaphore As New SemaphoreSlim(3) ' Limit to 3 concurrent threads.
Shared Async Function Main(ByVal args() As String) As Task
' Start tasks that will wait on the semaphore.
Dim tasks = New Task(4){}
For i As Integer = 0 To tasks.Length - 1
tasks(i) = Task.Run(Function() AccessResource(i))
Next i
' Simulate some work in the main thread (e.g., initialization).
Console.WriteLine("Main thread is preparing resources...")
Await Task.Delay(2000) ' Simulate initialization delay.
' main thread calls release, releases semaphore permits to allow waiting tasks to proceed.
Console.WriteLine("Main thread releasing semaphore permits...")
semaphore.Release(2) ' Releases 2 permits, allowing up to 2 tasks to proceed.
' Wait for all tasks to complete.
Await Task.WhenAll(tasks)
Console.WriteLine("All tasks completed.")
End Function
Private Shared Async Function AccessResource(ByVal id As Integer) As Task
Console.WriteLine($"Task {id} waiting to enter...")
Await _semaphore.WaitAsync()
Try
Console.WriteLine($"current thread successfully entered by Task {id} .")
Await Task.Delay(1000) ' Simulate work.
Finally
Console.WriteLine($"Task {id} releasing.")
_semaphore.Release()
End Try
End Function
End Class
Durante el funcionamiento de un programa, la cuenta del semáforo puede llegar dinámicamente a cero hilos cuando todos los permisos disponibles han sido adquiridos por hilos. Este estado indica que se ha alcanzado el máximo de accesos concurrentes permitidos.
Si lo desea, puede establecer el número inicial y máximo de subprocesos, comenzando el recuento inicial de semáforos en cero y luego utilizando una tarea de inicialización separada que aumente el recuento de semáforos cuando el recurso esté listo, permitiendo que el número de subprocesos que elija continúe. Cuando el recuento de semáforos es cero, los hilos esperarán cuando su intento de entrar en el semáforo, esto se conoce como "bloque de espera".
Podría hacer un seguimiento del recuento anterior del semáforo para ajustar el comportamiento del semáforo en función del recuento anterior, a continuación, puede manipular el semáforo en consecuencia(por ejemplo, liberando o esperando). A medida que los hilos se liberan, el número de semáforos disminuye.
Algunos casos de uso comunes para SemaphoreSlim son:
Para empezar a utilizar IronPDF en un entorno multihilo, instale la aplicaciónPaquete NuGet IronPDF. Para ello, vaya a herramientas > NuGet Package Manager > NuGet Package Manager for Solution y busque IronPDF:
También puede ejecutar el siguiente comando en la consola del gestor de paquetes:
Install-Package IronPdf
Install-Package IronPdf
'INSTANT VB TODO TASK: The following line uses invalid syntax:
'Install-Package IronPdf
Para empezar a utilizar IronPDF en su código, asegúrese de que ha colocado la declaración "using IronPdf" en la parte superior de su archivo de código. Para obtener una guía más detallada sobre la configuración de IronPDF en su entorno, consulte su sitio webcómo empezar página.
Si utiliza SemaphoreSlim, podrá controlar eficazmente el acceso a las tareas de generación de PDF. Esto garantiza que su aplicación no intente generar demasiados PDF simultáneamente, lo que podría afectar al rendimiento o provocar fallos.
El siguiente código de ejemplo demuestra el uso básico de SemaphoreSlim con IronPDF.
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(2); // Limit to 2 concurrent threads.
static async Task Main(string[] args)
{
var tasks = new Task[5];
for (int i = 0; i < tasks.Length; i++)
{
string htmlContent = $"<h1>PDF Document {i}</h1><p>This is a sample PDF content for task {i}.</p>";
string outputPath = $"output_{i}.pdf";
// Start multiple tasks to demonstrate controlled concurrency.
tasks[i] = GeneratePdfAsync(htmlContent, outputPath, i);
}
await Task.WhenAll(tasks);
}
static async Task GeneratePdfAsync(string htmlContent, string outputPath, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting for access...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} has started PDF generation.");
ChromePdfRenderer renderer = new ChromePdfRenderer();
PdfDocument pdf = await renderer.RenderHtmlAsPdfAsync(htmlContent);
pdf.SaveAs(outputPath);
Console.WriteLine($"Task {taskId} has completed PDF generation.");
}
finally
{
// Ensure semaphore is released to allow other tasks to proceed.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(2); // Limit to 2 concurrent threads.
static async Task Main(string[] args)
{
var tasks = new Task[5];
for (int i = 0; i < tasks.Length; i++)
{
string htmlContent = $"<h1>PDF Document {i}</h1><p>This is a sample PDF content for task {i}.</p>";
string outputPath = $"output_{i}.pdf";
// Start multiple tasks to demonstrate controlled concurrency.
tasks[i] = GeneratePdfAsync(htmlContent, outputPath, i);
}
await Task.WhenAll(tasks);
}
static async Task GeneratePdfAsync(string htmlContent, string outputPath, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting for access...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} has started PDF generation.");
ChromePdfRenderer renderer = new ChromePdfRenderer();
PdfDocument pdf = await renderer.RenderHtmlAsPdfAsync(htmlContent);
pdf.SaveAs(outputPath);
Console.WriteLine($"Task {taskId} has completed PDF generation.");
}
finally
{
// Ensure semaphore is released to allow other tasks to proceed.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
Imports IronPdf
Imports System
Imports System.Threading
Imports System.Threading.Tasks
Imports IronPdf.Exceptions
Imports System.Net.Http
Imports System.Runtime.CompilerServices
Friend Class program
Private Shared _semaphore As New SemaphoreSlim(2) ' Limit to 2 concurrent threads.
Shared Async Function Main(ByVal args() As String) As Task
Dim tasks = New Task(4){}
For i As Integer = 0 To tasks.Length - 1
Dim htmlContent As String = $"<h1>PDF Document {i}</h1><p>This is a sample PDF content for task {i}.</p>"
Dim outputPath As String = $"output_{i}.pdf"
' Start multiple tasks to demonstrate controlled concurrency.
tasks(i) = GeneratePdfAsync(htmlContent, outputPath, i)
Next i
Await Task.WhenAll(tasks)
End Function
Private Shared Async Function GeneratePdfAsync(ByVal htmlContent As String, ByVal outputPath As String, ByVal taskId As Integer) As Task
Console.WriteLine($"Task {taskId} is waiting for access...")
' Wait to enter the semaphore.
Await _semaphore.WaitAsync()
Try
Console.WriteLine($"Task {taskId} has started PDF generation.")
Dim renderer As New ChromePdfRenderer()
Dim pdf As PdfDocument = Await renderer.RenderHtmlAsPdfAsync(htmlContent)
pdf.SaveAs(outputPath)
Console.WriteLine($"Task {taskId} has completed PDF generation.")
Finally
' Ensure semaphore is released to allow other tasks to proceed.
_semaphore.Release()
Console.WriteLine($"Task {taskId} has released semaphore.")
End Try
End Function
End Class
En este ejemplo, primero inicializamos SemaphoreSlim y establecemos el recuento inicial y máximo de SemaphoreSlim en '2', limitándolo a dos generaciones de PDF concurrentes. A continuación, creamos una matriz de tareas que se utiliza para controlar el número de tareas que el programa tiene que hacer, después de lo cual utilizamos un bucle for para crear dinámicamente PDFs basados en el número de tareas dentro de la matriz de tareas.
El *WaitAsync()a continuación, se utiliza el método *` para entrar en el semáforo, y `Release()` se utiliza en el bloque finally para garantizar que el semáforo se libera siempre, incluso si se produce una excepción. Los registros de salida de la consola muestran cuando cada tarea comienza, termina y libera el semáforo, esto le permite realizar un seguimiento del comportamiento de la concurrencia.
La seguridad de los subprocesos es crucial cuando varios subprocesos interactúan con recursos compartidos. En la manipulación de PDF, SemaphoreSlim garantiza que sólo un número definido de subprocesos pueda modificar PDF simultáneamente, evitando condiciones de carrera y asegurando la coherencia. En el siguiente código, estamos simulando un escenario en el que estamos añadiendo una marca de agua a múltiples PDFs mientras nos aseguramos de que sólo se produce una operación a la vez.
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(1);
static async Task Main(string[] args)
{
// Setting array of tasks
var tasks = new Task[3];
for (int i = 0; i < tasks.Length; i++)
{
string inputPath = $"input_{i}.pdf"; // Input PDF file path
string outputPath = $"output_{i}.pdf"; // Output PDF file path
string watermarkText = @"
<img src='https://ironsoftware.com/img/products/ironpdf-logo-text-dotnet.svg'>
<h1>Iron Software</h1>";
// Start multiple tasks to add watermarks concurrently.
tasks[i] = AddWatermarkAsync(inputPath, outputPath, watermarkText, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
static async Task AddWatermarkAsync(string input, string outputPath, string watermark, int taskId)
{
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is waiting to add a watermark...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is adding a watermark.");
var pdf = PdfDocument.FromFile(input);
pdf.ApplyWatermark(watermark); // Add watermark
pdf.SaveAs(outputPath); // Save the modified PDF
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has completed watermarking.");
}
finally
{
// Release the semaphore after the task is done.
_semaphore.Release();
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has released semaphore.");
}
}
}
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(1);
static async Task Main(string[] args)
{
// Setting array of tasks
var tasks = new Task[3];
for (int i = 0; i < tasks.Length; i++)
{
string inputPath = $"input_{i}.pdf"; // Input PDF file path
string outputPath = $"output_{i}.pdf"; // Output PDF file path
string watermarkText = @"
<img src='https://ironsoftware.com/img/products/ironpdf-logo-text-dotnet.svg'>
<h1>Iron Software</h1>";
// Start multiple tasks to add watermarks concurrently.
tasks[i] = AddWatermarkAsync(inputPath, outputPath, watermarkText, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
static async Task AddWatermarkAsync(string input, string outputPath, string watermark, int taskId)
{
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is waiting to add a watermark...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is adding a watermark.");
var pdf = PdfDocument.FromFile(input);
pdf.ApplyWatermark(watermark); // Add watermark
pdf.SaveAs(outputPath); // Save the modified PDF
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has completed watermarking.");
}
finally
{
// Release the semaphore after the task is done.
_semaphore.Release();
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has released semaphore.");
}
}
}
Imports IronPdf
Imports System
Imports System.Threading
Imports System.Threading.Tasks
Friend Class program
Private Shared _semaphore As New SemaphoreSlim(1)
Shared Async Function Main(ByVal args() As String) As Task
' Setting array of tasks
Dim tasks = New Task(2){}
For i As Integer = 0 To tasks.Length - 1
Dim inputPath As String = $"input_{i}.pdf" ' Input PDF file path
Dim outputPath As String = $"output_{i}.pdf" ' Output PDF file path
Dim watermarkText As String = "
<img src='https://ironsoftware.com/img/products/ironpdf-logo-text-dotnet.svg'>
<h1>Iron Software</h1>"
' Start multiple tasks to add watermarks concurrently.
tasks(i) = AddWatermarkAsync(inputPath, outputPath, watermarkText, i)
Next i
Await Task.WhenAll(tasks) ' Wait for all tasks to finish.
End Function
Private Shared Async Function AddWatermarkAsync(ByVal input As String, ByVal outputPath As String, ByVal watermark As String, ByVal taskId As Integer) As Task
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is waiting to add a watermark...")
' Wait to enter the semaphore.
Await _semaphore.WaitAsync()
Try
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} is adding a watermark.")
Dim pdf = PdfDocument.FromFile(input)
pdf.ApplyWatermark(watermark) ' Add watermark
pdf.SaveAs(outputPath) ' Save the modified PDF
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has completed watermarking.")
Finally
' Release the semaphore after the task is done.
_semaphore.Release()
Console.WriteLine($"{DateTime.Now:HH:mm:ss} - Task {taskId} has released semaphore.")
End Try
End Function
End Class
Estableciendo el recuento de semáforos a 1 usando **private static SemaphoreSlim _semaphore = new SemaphoreSlim(1)|**, nos aseguramos de que sólo una tarea pueda manipular PDFs a la vez.
IronPDF destaca en la gestión de tareas que consumen muchos recursos, como la conversión de grandes archivos HTML a PDF, y sobresale en la realización de estas tareas en un entorno asíncrono. El uso de SemaphoreSlim para gestionar estas operaciones garantiza que su aplicación siga respondiendo sin perder rendimiento, incluso bajo cargas pesadas.
El siguiente código de ejemplo muestra un escenario en el que necesitamos limitar el número de conversiones simultáneas de HTML a PDF de gran tamaño para evitar sobrecargar los recursos del sistema.
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
// Limit concurrent large PDF conversions to 2.
private static SemaphoreSlim _semaphore = new SemaphoreSlim(2);
static async Task Main(string[] args)
{
var tasks = new Task[4];
for (int i = 0; i < tasks.Length; i++)
{
string htmlContent = $"<h1>Large Document {i}</h1><p>Content for a large HTML file {i}.</p>";
string outputPath = $"large_output_{i}.pdf";
// Start multiple tasks to convert large HTML files to PDFs.
tasks[i] = ConvertLargeHtmlAsync(htmlContent, outputPath, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
// Method to convert large HTML to PDF using SemaphoreSlim to control resource usage.
public static async Task ConvertLargeHtmlAsync(string htmlContent, string outputPath, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting to start conversion...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} is converting large HTML to PDF.");
var renderer = new ChromePdfRenderer();
var pdf = await renderer.RenderHtmlAsPdfAsync(htmlContent); // Convert large HTML to PDF
pdf.SaveAs(outputPath); // Save the PDF file
Console.WriteLine($"Task {taskId} has completed conversion.");
}
finally
{
// Ensure the semaphore is released to allow other tasks to proceed.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
// Limit concurrent large PDF conversions to 2.
private static SemaphoreSlim _semaphore = new SemaphoreSlim(2);
static async Task Main(string[] args)
{
var tasks = new Task[4];
for (int i = 0; i < tasks.Length; i++)
{
string htmlContent = $"<h1>Large Document {i}</h1><p>Content for a large HTML file {i}.</p>";
string outputPath = $"large_output_{i}.pdf";
// Start multiple tasks to convert large HTML files to PDFs.
tasks[i] = ConvertLargeHtmlAsync(htmlContent, outputPath, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
// Method to convert large HTML to PDF using SemaphoreSlim to control resource usage.
public static async Task ConvertLargeHtmlAsync(string htmlContent, string outputPath, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting to start conversion...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} is converting large HTML to PDF.");
var renderer = new ChromePdfRenderer();
var pdf = await renderer.RenderHtmlAsPdfAsync(htmlContent); // Convert large HTML to PDF
pdf.SaveAs(outputPath); // Save the PDF file
Console.WriteLine($"Task {taskId} has completed conversion.");
}
finally
{
// Ensure the semaphore is released to allow other tasks to proceed.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
Imports IronPdf
Imports System
Imports System.Threading
Imports System.Threading.Tasks
Imports IronPdf.Exceptions
Imports System.Net.Http
Imports System.Runtime.CompilerServices
Friend Class program
' Limit concurrent large PDF conversions to 2.
Private Shared _semaphore As New SemaphoreSlim(2)
Shared Async Function Main(ByVal args() As String) As Task
Dim tasks = New Task(3){}
For i As Integer = 0 To tasks.Length - 1
Dim htmlContent As String = $"<h1>Large Document {i}</h1><p>Content for a large HTML file {i}.</p>"
Dim outputPath As String = $"large_output_{i}.pdf"
' Start multiple tasks to convert large HTML files to PDFs.
tasks(i) = ConvertLargeHtmlAsync(htmlContent, outputPath, i)
Next i
Await Task.WhenAll(tasks) ' Wait for all tasks to finish.
End Function
' Method to convert large HTML to PDF using SemaphoreSlim to control resource usage.
Public Shared Async Function ConvertLargeHtmlAsync(ByVal htmlContent As String, ByVal outputPath As String, ByVal taskId As Integer) As Task
Console.WriteLine($"Task {taskId} is waiting to start conversion...")
' Wait to enter the semaphore.
Await _semaphore.WaitAsync()
Try
Console.WriteLine($"Task {taskId} is converting large HTML to PDF.")
Dim renderer = New ChromePdfRenderer()
Dim pdf = Await renderer.RenderHtmlAsPdfAsync(htmlContent) ' Convert large HTML to PDF
pdf.SaveAs(outputPath) ' Save the PDF file
Console.WriteLine($"Task {taskId} has completed conversion.")
Finally
' Ensure the semaphore is released to allow other tasks to proceed.
_semaphore.Release()
Console.WriteLine($"Task {taskId} has released semaphore.")
End Try
End Function
End Class
Cuando se trata de tareas que consumen muchos recursos, como la conversión de grandes archivos HTML a PDF, SemaphoreSlim puede ayudar a equilibrar la carga y optimizar el uso de los recursos. Al establecer un límite de 2 operaciones simultáneas, evitamos que el sistema se vea desbordado por tareas de generación de PDF que consumen muchos recursos. Este enfoque ayuda a distribuir la carga de trabajo de manera más uniforme, mejorando el rendimiento y la estabilidad de la aplicación en general.
Pueden producirse bloqueos si los semáforos no se liberan correctamente. Una buena práctica a tener en cuenta es el uso de bloques try-finally para asegurarse de que los semáforos se liberan incluso si se produce una excepción, evitando bloqueos y manteniendo su aplicación funcionando sin problemas. Algunas de las mejores prácticas para evitar bloqueos incluyen liberar siempre el semáforo en el bloque finally, y evitar el uso de llamadas de bloqueo como `.wait()\El código asíncrono se traduce como "resultado" dentro de su código asíncrono.
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(3);
static async Task Main(string[] args)
{
var tasks = new Task[3];
for (int i = 0; i < tasks.Length; i++)
{
string content = $"<h1>Document {i}</h1><p>Content for PDF {i}.</p>";
string path = $"safe_output_{i}.pdf";
// Start multiple tasks to demonstrate deadlock-free semaphore usage.
tasks[i] = SafePdfTaskAsync(content, path, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
// Method demonstrating best practices for using SemaphoreSlim to avoid deadlocks.
public static async Task SafePdfTaskAsync(string content, string path, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting to generate PDF...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} is generating PDF.");
var renderer = new ChromePdfRenderer();
var pdf = await renderer.RenderHtmlAsPdfAsync(content); // Render HTML to PDF
pdf.SaveAs(path); // Save the PDF
Console.WriteLine($"Task {taskId} has completed PDF generation.");
}
catch (Exception ex)
{
Console.WriteLine($"Task {taskId} encountered an error: {ex.Message}");
}
finally
{
// Always release the semaphore, even if an error occurs.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
using IronPdf;
using System;
using System.Threading;
using System.Threading.Tasks;
using IronPdf.Exceptions;
using System.Net.Http;
using System.Runtime.CompilerServices;
class program
{
private static SemaphoreSlim _semaphore = new SemaphoreSlim(3);
static async Task Main(string[] args)
{
var tasks = new Task[3];
for (int i = 0; i < tasks.Length; i++)
{
string content = $"<h1>Document {i}</h1><p>Content for PDF {i}.</p>";
string path = $"safe_output_{i}.pdf";
// Start multiple tasks to demonstrate deadlock-free semaphore usage.
tasks[i] = SafePdfTaskAsync(content, path, i);
}
await Task.WhenAll(tasks); // Wait for all tasks to finish.
}
// Method demonstrating best practices for using SemaphoreSlim to avoid deadlocks.
public static async Task SafePdfTaskAsync(string content, string path, int taskId)
{
Console.WriteLine($"Task {taskId} is waiting to generate PDF...");
// Wait to enter the semaphore.
await _semaphore.WaitAsync();
try
{
Console.WriteLine($"Task {taskId} is generating PDF.");
var renderer = new ChromePdfRenderer();
var pdf = await renderer.RenderHtmlAsPdfAsync(content); // Render HTML to PDF
pdf.SaveAs(path); // Save the PDF
Console.WriteLine($"Task {taskId} has completed PDF generation.");
}
catch (Exception ex)
{
Console.WriteLine($"Task {taskId} encountered an error: {ex.Message}");
}
finally
{
// Always release the semaphore, even if an error occurs.
_semaphore.Release();
Console.WriteLine($"Task {taskId} has released semaphore.");
}
}
}
Imports IronPdf
Imports System
Imports System.Threading
Imports System.Threading.Tasks
Imports IronPdf.Exceptions
Imports System.Net.Http
Imports System.Runtime.CompilerServices
Friend Class program
Private Shared _semaphore As New SemaphoreSlim(3)
Shared Async Function Main(ByVal args() As String) As Task
Dim tasks = New Task(2){}
For i As Integer = 0 To tasks.Length - 1
Dim content As String = $"<h1>Document {i}</h1><p>Content for PDF {i}.</p>"
Dim path As String = $"safe_output_{i}.pdf"
' Start multiple tasks to demonstrate deadlock-free semaphore usage.
tasks(i) = SafePdfTaskAsync(content, path, i)
Next i
Await Task.WhenAll(tasks) ' Wait for all tasks to finish.
End Function
' Method demonstrating best practices for using SemaphoreSlim to avoid deadlocks.
Public Shared Async Function SafePdfTaskAsync(ByVal content As String, ByVal path As String, ByVal taskId As Integer) As Task
Console.WriteLine($"Task {taskId} is waiting to generate PDF...")
' Wait to enter the semaphore.
Await _semaphore.WaitAsync()
Try
Console.WriteLine($"Task {taskId} is generating PDF.")
Dim renderer = New ChromePdfRenderer()
Dim pdf = Await renderer.RenderHtmlAsPdfAsync(content) ' Render HTML to PDF
pdf.SaveAs(path) ' Save the PDF
Console.WriteLine($"Task {taskId} has completed PDF generation.")
Catch ex As Exception
Console.WriteLine($"Task {taskId} encountered an error: {ex.Message}")
Finally
' Always release the semaphore, even if an error occurs.
_semaphore.Release()
Console.WriteLine($"Task {taskId} has released semaphore.")
End Try
End Function
End Class
Mediante el uso de un bloque "try-catch-finally", nos hemos asegurado de que el objeto SemaphoreSlim siempre se libera, incluso si se lanza una excepción, evitando así los bloqueos. Mediante el registro de errores y la gestión adecuada de la liberación de semáforos podemos mantener el programa estable y evitar cualquier comportamiento inesperado.
Como se puede ver en la imagen de salida de abajo, he simulado un error al intentar que el programa cargue un archivo HTML que no existe, pero incluso con este error, el programa imprime el mensaje de error que me dice lo que salió mal y luego procede a liberar el semáforo utilizando el bloque finally.
IronPDF se ha diseñado para gestionar eficazmente tareas de procesamiento de PDF concurrentes, ofreciendo un rendimiento y una fiabilidad superiores a los de muchas otras bibliotecas de PDF. Su sólida arquitectura le permite escalar con las necesidades de su aplicación, por lo que es ideal para entornos de alta demanda. Cuando se compara con otras bibliotecas PDF en función de criterios de rendimiento, facilidad de uso y solidez, IronPDF demuestra ser un fuerte competidor. Para demostrarlo, he comparado IronPDF con otras bibliotecas de PDF populares como iTextSharp, PDFsharp, DinkToPdf y EvoPDF:
IronPDF:
Operaciones asíncronas: Admite la generación asíncrona de PDF, lo que permite un mejor rendimiento en aplicaciones web en las que la capacidad de respuesta es crucial.
iTextSharp:
Gestión de recursos: El uso de memoria puede ser mayor con iTextSharp, especialmente cuando se manejan documentos grandes o manipulaciones complejas, lo que provoca cuellos de botella en el rendimiento en algunos casos.
PDFsharp:
Gestión de recursos: Está menos optimizado para el uso de memoria y puede tener problemas con archivos grandes o documentos que contengan numerosas imágenes.
DinkToPdf:
Gestión de recursos: A menudo requiere una memoria y una potencia de procesamiento significativas, y carece de soporte nativo para operaciones asíncronas, lo que limita su rendimiento en escenarios de alta carga.
EvoPDF:
IronPDF:
Instalación e integración: Se instala fácilmente a través de NuGet y se integra sin problemas en los proyectos .NET existentes, requiriendo una configuración mínima.
iTextSharp:
Instalación e integración: Disponible a través de NuGet, pero requiere un conocimiento más profundo de la API para integrarse eficazmente.
PDFsharp:
Instalación e integración: Fácil de instalar a través de NuGet, pero ofrece una funcionalidad limitada de HTML a PDF.
DinkToPdf:
Instalación e integración: Puede ser más complejo de instalar, ya que requiere dependencias adicionales como wkhtmltopdf, lo que puede complicar la configuración.
EvoPDF:
IronPDF:
Compatibilidad: Totalmente compatible con .NET Core, .NET 5+ y las versiones anteriores de .NET Framework, lo que lo hace versátil para diferentes tipos de proyectos.
iTextSharp:
Compatibilidad: Adecuado para una amplia gama de entornos, incluidos .NET Framework y .NET Core.
PDFsharp:
Compatibilidad: Compatible con .NET Framework y .NET Core, pero con funcionalidad avanzada limitada.
DinkToPdf:
Compatibilidad: Funciona con .NET Core y .NET Framework pero requiere dependencias externas, lo que puede introducir problemas de compatibilidad.
EvoPDF:
IronPDF se integra perfectamente conasync el objetivo de la traducción es explicar las características y ventajas de estas herramientas para desarrolladores. De este modo, los desarrolladores podrán crear aplicaciones eficaces y de alto rendimiento con el mínimo esfuerzo.
IronPDF también ofrece una amplia documentación y recursos de apoyo que ayudan a los desarrolladores a comprender y aplicar prácticas eficaces de gestión de errores. Esta completa ayuda es valiosa para solucionar problemas y optimizar las operaciones con PDF en proyectos .NET.
IronPDF ofrece:
Referencia API de PDF: Ofrece referencias de API para que puedas aprovechar al máximo lo que nuestras herramientas tienen para ofrecer.
Para obtener más información, consulte la extensa documentación de IronPDF.documentación.
El uso de SemaphoreSlim para la gestión de la concurrencia en aplicaciones .NET es crucial, especialmente cuando se trata de tareas que consumen muchos recursos, como el procesamiento de PDF. Mediante la integración de SemaphoreSlim con IronPDF, los desarrolladores pueden lograr un control de concurrencia seguro, eficiente y fiable, garantizando que sus aplicaciones sigan siendo sensibles y de fácil rendimiento.
Descubra cómo IronPDF puede agilizar sus flujos de trabajo de procesamiento de PDF. Pruébelo usted mismo con suprueba gratuita desde solo 749 $ si quieres mantener esta potente herramienta en tus proyectos.
9 productos API .NET para sus documentos de oficina