Registro de tiempo – Convertir HTML – Ejemplo de C#
En este artículo, encontrará un ejemplo del uso de controladores de mensajes personalizados para convertir HTML de un archivo ZIP a PDF y registrar el tiempo de ejecución de este proceso.
A veces, para optimizar el rendimiento, es posible que necesite conocer el tiempo de ejecución de la solicitud web. Por ejemplo, desea saber cuánto tiempo se tarda en convertir un archivo basado en HTML de un archivo ZIP a PDF.
Registro de tiempo de ejecución
Crear un controlador de mensajes para una implementación de esquema personalizado
Creemos un controlador personalizado que pueda usar para la implementación de un esquema (protocolo) personalizado. Tome los siguientes pasos:
- Utilice el espacio de nombres necesario, que es Aspose.Html.Net.
- Defina su propia clase CustomSchemaMessageHandler que se derivará de la clase MessageHandler.
- Inicialice una instancia de la clase CustomSchemaMessageHandler y defina una propiedad Filter para ella.
- Cree la clase CustomSchemaMessageFilter que se deriva de la clase MessageFilter.
- Anule el método Match() de la clase MessageFilter para implementar el comportamiento personalizado del controlador de mensajes.
El siguiente fragmento de código muestra cómo crear la clase CustomSchemaMessageHandler:
 1// Monitor network requests by custom protocol in C # using schema-based message filter and handler
 2
 3// Define the CustomSchemaMessageFilter class that is derived from the MessageFilter class
 4class CustomSchemaMessageFilter : MessageFilter
 5{
 6    private readonly string schema;
 7    public CustomSchemaMessageFilter(string schema)
 8    {
 9        this.schema = schema;
10    }
11    // Override the Match() method
12    public override bool Match(INetworkOperationContext context)
13    {
14        return string.Equals(schema, context.Request.RequestUri.Protocol.TrimEnd(':'));
15    }
16}
17
18// Define the CustomSchemaMessageHandler class that is derived from the MessageHandler class
19abstract class CustomSchemaMessageHandler : MessageHandler
20{
21    // Initialize an instance of the CustomSchemaMessageHandler class
22    protected CustomSchemaMessageHandler(string schema)
23    {
24        Filters.Add(new CustomSchemaMessageFilter(schema));
25    }
26}El constructor CustomSchemaMessageHandler(schema) crea una instancia del objeto CustomSchemaMessageHandler y toma el schema como parámetro. El método Add() agrega el objeto CustomSchemaMessageFilter al final de la colección. El método Match() prueba si un context satisface los criterios del filtro.
Creación de ZipFileSchemaMessageHandler para trabajar con archivos ZIP
El siguiente fragmento de código muestra cómo crear la clase ZipFileSchemaMessageHandler para trabajar con archivos ZIP:
 1// Handle zip file protocol requests in c#
 2
 3// Define the ZipFileSchemaMessageHandler class that is derived from the CustomSchemaMessageHandler class
 4class ZipFileSchemaMessageHandler : CustomSchemaMessageHandler
 5{
 6    private readonly Archive archive;
 7
 8    public ZipFileSchemaMessageHandler(Archive archive) : base("zip-file")
 9    {
10        this.archive = archive;
11    }
12
13    // Override the Invoke() method
14    public override void Invoke(INetworkOperationContext context)
15    {
16        string pathInsideArchive = context.Request.RequestUri.Pathname.TrimStart('/').Replace("\\", "/");
17        Stream stream = GetFile(pathInsideArchive);
18
19        if (stream != null)
20        {
21            // If a resource is found in the archive, then return it as a Response
22            ResponseMessage response = new ResponseMessage(HttpStatusCode.OK);
23            response.Content = new StreamContent(stream);
24            response.Headers.ContentType.MediaType = MimeType.FromFileExtension(context.Request.RequestUri.Pathname);
25            context.Response = response;
26        }
27        else
28        {
29            context.Response = new ResponseMessage(HttpStatusCode.NotFound);
30        }
31
32        // Invoke the next message handler in the chain
33        Next(context);
34    }
35
36    Stream GetFile(string path)
37    {
38        ArchiveEntry result = archive
39            .Entries
40            .FirstOrDefault(x => x.Name == path);
41        return result?.Open();
42    }
43}En el ejemplo anterior, se realiza la búsqueda de un recurso (archivo zip) en su URI. Si se encuentra un recurso, el método FromFileExtension() devuelve el MimeType del recurso.
Controlador de mensajes para un registro del tiempo de ejecución de una solicitud web
El siguiente fragmento de código muestra cómo crear StartRequestDurationLoggingMessageHandler y StopRequestDurationLoggingMessageHandler para registrar el tiempo necesario para la ejecución de la solicitud web.
 1// Track and log HTTP request durations using C# message handlers
 2
 3// Define the RequestDurationLoggingMessageHandler class that is derived from the MessageHandler class
 4abstract class RequestDurationLoggingMessageHandler : MessageHandler
 5{
 6    private static ConcurrentDictionary<Url, Stopwatch> requests = new ConcurrentDictionary<Url, Stopwatch>();
 7
 8    protected void StartTimer(Url url)
 9    {
10        requests.TryAdd(url, Stopwatch.StartNew());
11    }
12
13    protected TimeSpan StopTimer(Url url)
14    {
15        Stopwatch timer = requests[url];
16        timer.Stop();
17        return timer.Elapsed;
18    }
19}
20
21class StartRequestDurationLoggingMessageHandler : RequestDurationLoggingMessageHandler
22{
23    // Override the Invoke() method
24    public override void Invoke(INetworkOperationContext context)
25    {
26        // Start the stopwatch
27        StartTimer(context.Request.RequestUri);
28
29        // Invoke the next message handler in the chain
30        Next(context);
31    }
32}
33
34class StopRequestDurationLoggingMessageHandler : RequestDurationLoggingMessageHandler
35{
36    // Override the Invoke() method
37    public override void Invoke(INetworkOperationContext context)
38    {
39        // Stop the stopwatch
40        TimeSpan duration = StopTimer(context.Request.RequestUri);
41
42        // Print the result
43        Debug.WriteLine($"Elapsed: {duration:g}, resource: {context.Request.RequestUri.Pathname}");
44
45        // Invoke the next message handler in the chain
46        Next(context);
47    }
48}Agregar los controladores de mensajes a la canalización
El concepto clave del trabajo de los manejadores de mensajes es encadenarlos. Hemos creado varios controladores de mensajes y debemos agregarlos a la canalización en un orden específico para implementar el ejemplo de registro de tiempo de conversión de HTML de archivo ZIP a PDF. Realicemos los siguientes pasos:
- Cree una instancia de la clase Configuración.
- Implemente el esquema personalizado ZIP. Utilice el método Add() para agregar ZipFileSchemaMessageHandler al final de la canalización.
- Ejecute el registro de duración. Utilice el método Insert() para agregar StartRequestDurationLoggingMessageHandler primero en la canalización y el método Add() para agregar StopRequestDurationLoggingMessageHandler al final de la canalización.
- Inicialice un documento HTML con la configuración especificada.
- Cree el dispositivo PDF y renderice HTML a PDF.
 1// Implement custom zip schema with request duration logging using C# message handlers
 2
 3// Add this line before you try to use the 'IBM437' encoding
 4System.Text.Encoding.RegisterProvider(System.Text.CodePagesEncodingProvider.Instance);
 5
 6// Prepare path to a source zip file
 7string documentPath = Path.Combine(DataDir, "test.zip");
 8
 9// Prepare path for converted file saving
10string savePath = Path.Combine(OutputDir, "zip-to-pdf-duration.pdf");
11
12// Create an instance of the Configuration class
13using Configuration configuration = new Configuration();
14INetworkService service = configuration.GetService<INetworkService>();
15MessageHandlerCollection handlers = service.MessageHandlers;
16
17// Custom Schema: ZIP. Add ZipFileSchemaMessageHandler to the end of the pipeline
18handlers.Add(new ZipFileSchemaMessageHandler(new Archive(documentPath)));
19
20// Duration Logging. Add the StartRequestDurationLoggingMessageHandler at the first place in the pipeline
21handlers.Insert(0, new StartRequestDurationLoggingMessageHandler());
22
23// Add the StopRequestDurationLoggingMessageHandler to the end of the pipeline
24handlers.Add(new StopRequestDurationLoggingMessageHandler());
25
26// Initialize an HTML document with specified configuration
27using HTMLDocument document = new HTMLDocument("zip-file:///test.html", configuration);
28
29// Create the PDF Device
30using PdfDevice device = new PdfDevice(savePath);
31
32// Render ZIP to PDF
33document.RenderTo(device);El constructor Configuration() crea una instancia de la clase Configuration. Una vez creada la configuración, se invocan los métodos GetService<INetworkService>(), MessageHandlers.Add() y MessageHandlers.Insert(). Los métodos Insert() y Add() agregan los controladores de mensajes personalizados en la colección de controladores de mensajes existentes. La figura muestra la cadena de controladores de mensajes para este ejemplo:

Nota: El constructor
HTMLDocument(address, configuration) toma la ruta absoluta al archivo ZIP. Pero todos los recursos relacionados tienen rutas relativas en el documento HTML y en el código del ejemplo.
Puede descargar los ejemplos completos y los archivos de datos desde GitHub.