Excel 데이터를 Web-Ready HTML 테이블로 변환하는 방법

Excel 데이터를 Web-Ready HTML 테이블로 변환하는 방법

이 기사에서는 Aspose.Cells LowCode HTML Converter를 사용하여 Excel 데이터를 웹 준비 HTML 테이블로 변환하는 방법을 보여줍니다.HTML Convert는 Excel 내부 구조에 대한 광범위한 코딩이나 깊은 지식을 필요로하지 않고 스프레드시트 데이터가 웹 호환되는 형식으로 변형하는 유연한 접근 방식을 제공합니다.

현실 세계 문제

웹 개발자 및 데스크 보드 제작자는 종종 웹 사이트 또는 웹 응용 프로그램에서 Excel 기반 데이터를 제시해야합니다. Excel 파일을 HTML로 수동으로 변환하는 것은 시간이 소요되고 오류가 발생하며, 특히 복잡한 형식화, 여러 잎 또는 정기적으로 업데이트 된 데이터 출처를 다루는 경우.

솔루션 검토

Aspose.Cells LowCode HTML Converter를 사용하면 최소 코드를 사용하여 이 도전을 효율적으로 해결할 수 있습니다.이 솔루션은 원래의 형식과 구조를 유지하면서 Excel 데이터를 웹 응용 프로그램에 빠르고 신뢰할 때 통합해야하는 웹 개발자 및 다스크 보드 제작자에게 이상적입니다.

원칙

솔루션을 실행하기 전에, 당신이 가지고 있는지 확인하십시오 :

  • Visual Studio 2019 또는 이후
  • .NET 6.0 또는 이후 (NET Framework 4.6.2+와 호환)
  • NuGet을 통해 설치된 .NET 패키지에 대한 Aspose.Cells
  • C# 프로그래밍의 기본 이해
PM> Install-Package Aspose.Cells

단계별 실행

단계 1: 설치 및 설정 Aspose.Cells

프로젝트에 Aspose.Cells 패키지를 추가하고 필요한 이름 공간을 포함하십시오 :

using Aspose.Cells;
using Aspose.Cells.LowCode;
using System;
using System.IO;
using System.Text;

단계 2: 입력 데이터를 준비하십시오

변환하려는 Excel 파일을 식별함으로써 시작하십시오.당신은 기존 파일를 사용하거나 웹에서 제시하고자하는 데이터와 함께 프로그램적으로 하나를 만들 수 있습니다.

// Path to your source Excel file
string excelFilePath = "data/quarterly-report.xlsx";

// Ensure the file exists
if (!File.Exists(excelFilePath))
{
    Console.WriteLine("Source file not found!");
    return;
}

단계 3: HTML 변환기 옵션을 설정합니다.

귀하의 요구 사항에 따라 HTML Converter 프로세스에 대한 옵션을 설정하십시오 :

// Create load options for the Excel file
LowCodeLoadOptions loadOptions = new LowCodeLoadOptions();
loadOptions.InputFile = excelFilePath;

// Configure HTML save options with your preferred settings
LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
HtmlSaveOptions htmlOptions = new HtmlSaveOptions();

// Customize HTML output options
htmlOptions.ExportImagesAsBase64 = true; // Embed images directly in HTML
htmlOptions.ExportActiveWorksheetOnly = false; // Convert all worksheets
htmlOptions.ExportHiddenWorksheets = false; // Skip hidden worksheets
htmlOptions.ExportGridLines = false; // Don't show gridlines
htmlOptions.CellNameAttribute = "data-cell"; // Custom attribute for cell reference

// If you want to convert specific worksheets only
htmlOptions.SheetSet = new Aspose.Cells.Rendering.SheetSet(new int[] { 0, 1 }); // Only first and second sheets

// Apply the HTML options to save options
saveOptions.HtmlOptions = htmlOptions;

// Set the output file path
saveOptions.OutputFile = "output/quarterly-report.html";

단계 4: HTML 변환기 프로세스를 실행

구성된 옵션으로 HTML Converter 작업을 실행하십시오 :

try
{
    // Execute the conversion process
    HtmlConverter.Process(loadOptions, saveOptions);
    Console.WriteLine("Conversion completed successfully!");
}
catch (Exception ex)
{
    Console.WriteLine($"Conversion failed: {ex.Message}");
}

5단계: 출력 처리

귀하의 응용 프로그램에 필요한 HTML 출력을 처리하고 사용하십시오 :

// If you want to process the HTML output in memory instead of writing to a file
using (MemoryStream memoryStream = new MemoryStream())
{
    // Configure output stream
    LowCodeHtmlSaveOptions memoryOptions = new LowCodeHtmlSaveOptions();
    memoryOptions.HtmlOptions = htmlOptions; // Use the same HTML options as before
    memoryOptions.OutputStream = memoryStream;

    // Process to memory stream
    HtmlConverter.Process(loadOptions, memoryOptions);

    // Get HTML content as string
    memoryStream.Position = 0;
    string htmlContent = Encoding.UTF8.GetString(memoryStream.ToArray());

    // Now you can manipulate the HTML content as needed
    // For example, you could inject it into a webpage:
    Console.WriteLine("HTML content length: " + htmlContent.Length);
    
    // Check if specific elements are present
    if (htmlContent.Contains("data-cell=\"B2\""))
    {
        Console.WriteLine("Custom cell attributes are present in the HTML output.");
    }
}

단계 6 : 실수 처리 실행

강력한 작동을 보장하기 위해 적절한 오류 처리를 추가하십시오 :

try
{
    // Basic validation before conversion
    if (string.IsNullOrEmpty(loadOptions.InputFile))
    {
        throw new ArgumentException("Input file path cannot be empty");
    }

    // Check if output directory exists, create if not
    string outputDir = Path.GetDirectoryName(saveOptions.OutputFile);
    if (!string.IsNullOrEmpty(outputDir) && !Directory.Exists(outputDir))
    {
        Directory.CreateDirectory(outputDir);
    }

    // Execute conversion with validation
    HtmlConverter.Process(loadOptions, saveOptions);
    
    // Verify output file was created
    if (File.Exists(saveOptions.OutputFile))
    {
        Console.WriteLine($"HTML file successfully created at: {saveOptions.OutputFile}");
    }
    else
    {
        Console.WriteLine("Warning: Output file was not created.");
    }
}
catch (CellsException cex)
{
    // Handle Aspose.Cells specific exceptions
    Console.WriteLine($"Aspose.Cells error: {cex.Message}");
    // Log additional information
    Console.WriteLine($"Error code: {cex.Code}");
}
catch (IOException ioex)
{
    // Handle file access issues
    Console.WriteLine($"File access error: {ioex.Message}");
}
catch (Exception ex)
{
    // General error handling
    Console.WriteLine($"Error: {ex.Message}");
    Console.WriteLine($"Stack trace: {ex.StackTrace}");
}

단계 7 : 성과를 최적화

생산 환경에 대한 이러한 최적화 기술을 고려하십시오 :

  • 메모리 스트림을 사용하여 높은 볼륨 처리
  • 배치 변환을 위한 병렬 처리 구현
  • 큰 파일에 대한 리소스 제한 설정
  • 자원을 적절하게 사용하라
// Example of optimized batch processing
public void BatchConvertExcelFilesToHtml(string[] excelFiles, string outputDirectory)
{
    // Create output directory if it doesn't exist
    if (!Directory.Exists(outputDirectory))
    {
        Directory.CreateDirectory(outputDirectory);
    }

    // Configure common HTML options once
    HtmlSaveOptions commonHtmlOptions = new HtmlSaveOptions();
    commonHtmlOptions.ExportImagesAsBase64 = true;
    commonHtmlOptions.ExportGridLines = false;

    // Process files in parallel for better performance
    Parallel.ForEach(excelFiles, excelFile =>
    {
        try
        {
            // Create instance-specific options
            LowCodeLoadOptions loadOptions = new LowCodeLoadOptions { InputFile = excelFile };
            LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
            saveOptions.HtmlOptions = commonHtmlOptions;
            
            // Generate output filename
            string fileName = Path.GetFileNameWithoutExtension(excelFile) + ".html";
            saveOptions.OutputFile = Path.Combine(outputDirectory, fileName);
            
            // Process conversion
            HtmlConverter.Process(loadOptions, saveOptions);
            
            Console.WriteLine($"Converted: {excelFile}");
        }
        catch (Exception ex)
        {
            Console.WriteLine($"Error converting {excelFile}: {ex.Message}");
        }
    });
}

단계 8 : 완전한 구현 예제

다음은 전체 프로세스를 보여주는 완전한 작업 예입니다 :

using System;
using System.IO;
using System.Text;
using System.Threading.Tasks;
using Aspose.Cells;
using Aspose.Cells.LowCode;
using Aspose.Cells.Rendering;

namespace ExcelToHtmlConverter
{
    class Program
    {
        static void Main(string[] args)
        {
            try
            {
                // Simple conversion with default options
                SimpleHtmlConversion();
                
                // Advanced conversion with custom options
                AdvancedHtmlConversion();
                
                // Memory stream conversion
                MemoryStreamHtmlConversion();
                
                // Batch processing example
                BatchProcessing();
                
                Console.WriteLine("All conversions completed successfully!");
            }
            catch (Exception ex)
            {
                Console.WriteLine($"An error occurred: {ex.Message}");
            }
        }
        
        static void SimpleHtmlConversion()
        {
            // Simple conversion using default settings
            string sourcePath = "data/source.xlsx";
            string outputPath = "output/simple-output.html";
            
            // Ensure output directory exists
            Directory.CreateDirectory(Path.GetDirectoryName(outputPath));
            
            // One-line conversion with default settings
            HtmlConverter.Process(sourcePath, outputPath);
            
            Console.WriteLine($"Simple conversion completed: {outputPath}");
        }
        
        static void AdvancedHtmlConversion()
        {
            // Advanced conversion with custom options
            string sourcePath = "data/complex-report.xlsx";
            
            // Configure load options
            LowCodeLoadOptions loadOptions = new LowCodeLoadOptions();
            loadOptions.InputFile = sourcePath;
            
            // Configure save options
            LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
            HtmlSaveOptions htmlOptions = new HtmlSaveOptions();
            
            // Customize HTML output
            htmlOptions.ExportImagesAsBase64 = true;
            htmlOptions.CellNameAttribute = "data-excel-cell";
            htmlOptions.ExportGridLines = false;
            htmlOptions.ExportHeadings = true;
            htmlOptions.HtmlCrossStringType = HtmlCrossType.Default;
            
            // Only export the first sheet
            htmlOptions.SheetSet = new SheetSet(new int[] { 0 });
            
            // Apply HTML options and set output path
            saveOptions.HtmlOptions = htmlOptions;
            saveOptions.OutputFile = "output/advanced-output.html";
            
            // Process the conversion
            HtmlConverter.Process(loadOptions, saveOptions);
            
            Console.WriteLine($"Advanced conversion completed: {saveOptions.OutputFile}");
        }
        
        static void MemoryStreamHtmlConversion()
        {
            // In-memory conversion example
            string sourcePath = "data/metrics.xlsx";
            LowCodeLoadOptions loadOptions = new LowCodeLoadOptions();
            loadOptions.InputFile = sourcePath;
            
            // Setup HTML options
            LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
            HtmlSaveOptions htmlOptions = new HtmlSaveOptions();
            htmlOptions.CellNameAttribute = "data-ref";
            saveOptions.HtmlOptions = htmlOptions;
            
            // Use memory stream instead of file output
            using (MemoryStream stream = new MemoryStream())
            {
                saveOptions.OutputStream = stream;
                
                // Process to memory
                HtmlConverter.Process(loadOptions, saveOptions);
                
                // Get HTML content as string
                stream.Position = 0;
                string htmlContent = Encoding.UTF8.GetString(stream.ToArray());
                
                // Process HTML content as needed
                Console.WriteLine($"Generated HTML content size: {htmlContent.Length} bytes");
                
                // You could now send this to a web client, save to database, etc.
                File.WriteAllText("output/memory-stream-output.html", htmlContent);
            }
            
            Console.WriteLine("Memory stream conversion completed");
        }
        
        static void BatchProcessing()
        {
            // Get all Excel files in a directory
            string sourceDirectory = "data/batch";
            string outputDirectory = "output/batch";
            
            // Create output directory
            Directory.CreateDirectory(outputDirectory);
            
            // Get all Excel files
            string[] excelFiles = Directory.GetFiles(sourceDirectory, "*.xlsx");
            
            Console.WriteLine($"Starting batch conversion of {excelFiles.Length} files...");
            
            // Process files in parallel
            Parallel.ForEach(excelFiles, excelFile =>
            {
                try
                {
                    // Setup conversion options for this file
                    LowCodeLoadOptions loadOptions = new LowCodeLoadOptions();
                    loadOptions.InputFile = excelFile;
                    
                    LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
                    saveOptions.OutputFile = Path.Combine(
                        outputDirectory, 
                        Path.GetFileNameWithoutExtension(excelFile) + ".html"
                    );
                    
                    // Execute conversion
                    HtmlConverter.Process(loadOptions, saveOptions);
                    
                    Console.WriteLine($"Converted: {Path.GetFileName(excelFile)}");
                }
                catch (Exception ex)
                {
                    Console.WriteLine($"Failed to convert {Path.GetFileName(excelFile)}: {ex.Message}");
                }
            });
            
            Console.WriteLine("Batch processing completed");
        }
    }
}

사례 및 응용 프로그램 사용

인터랙티브 웹 보고서

Excel 기반 재무 또는 비즈니스 보고서를 인터랙티브 HTML 테이블로 변환하여 웹 응용 프로그램에 삽입할 수 있습니다.이를 통해 조직은 안전한 웹 포털을 통해 이해 관계자와 Excel 기본 분석을 공유하고 원래의 형식 및 데이터 구조를 유지합니다.

컨텐츠 관리 시스템

웹 콘텐츠로 구조화된 데이터를 게시하기 위해 콘텐츠 관리 시스템에 Excel 데이터가 무조건 통합됩니다.이것은 콘텐츠 저자가 익숙한 Excel 환경에서 작동할 수 있으며, 수동 개혁이나 데이터 입력없이 웹 사이트에 결과를 자동으로 게시 할 수 있습니다.

자동 Dashboard 만들기

비즈니스 인텔리전스 애플리케이션을위한 Excel 스파이더에서 역동적 인 데스크바드를 생성합니다.HTML 출력은 CSS를 사용하여 스타일링하고 JavaScript로 향상하여 상호 작용하는 시각화와 데이터 탐색 도구를 Excel 출처에서 직접 만들 수 있습니다.

일반적인 도전과 해결책

도전 1 : 복잡한 Excel 포맷을 유지

솔루션: HtmlSaveOptions를 설정하여 적절한 ExportCellStyles 및 암호화 속성을 설정함으로써 세포 스타일링, 합병된 셀 및 조건 형식을 유지합니다.

도전 2 : 큰 파일 성능 문제

솔루션: SheetSet 속성을 사용하여 잎 선택 변환 및 메모리 최적화 기술을 구현하여 필요한 워크시트만 전환하고 사용 후 자원을 적절하게 배치합니다.

도전 3: 크로스 브라우저 호환성

솔루션: ExportImagesAsBase64 옵션을 사용하여 HTML 출력에 직접 이미지를 삽입하여 다른 브라우저 환경에서 분해될 수 있는 외부 파일 중독을 피합니다.

성과 고려 사항

  • 불필요한 디스크 I/O를 피하기 위해 메모리 스트림을 사용하십시오.
  • 처리 시간을 줄이기 위해 대형 워크북에 대한 선택적인 잎 변환을 구현합니다.
  • 웹 애플리케이션에서 배치 변환에 대한 비동기 처리 고려
  • 매우 큰 파일을 처리 할 때 메모리 사용을 모니터링

모범 사례

  • 실행 시간 오류를 피하기 위해 처리하기 전에 항상 입력 파일을 확인하십시오.
  • 생산 응용 프로그램에 대한 적절한 오류 처리 및 로그를 구현
  • 메모리 소비를 최소화하기 위해 큰 파일의 스트리밍 기술을 사용합니다.
  • 응용 프로그램 성능을 향상시키기 위해 적절한 경우 캐시 변환 결과
  • 대규모 파일 처리에 적합한 timeout 값을 설정합니다.

고급 시나리오

더 복잡한 요구 사항을 위해, 이러한 고급 구현을 고려하십시오 :

시나리오 1: HTML 출력에 대한 사용자 지정 CSS 스타일링

// Configure HTML options with custom CSS
HtmlSaveOptions htmlOptions = new HtmlSaveOptions();
htmlOptions.AddCustomCssSheet = true;
htmlOptions.CustomCssFileName = "custom-styles.css";

// Create a custom CSS file
string cssContent = @"
.excel-table { font-family: Arial, sans-serif; border-collapse: collapse; width: 100%; }
.excel-table td { border: 1px solid #ddd; padding: 8px; }
.excel-table tr:nth-child(even) { background-color: #f2f2f2; }
.excel-table tr:hover { background-color: #ddd; }
.excel-header { background-color: #4CAF50; color: white; }
";
File.WriteAllText("output/custom-styles.css", cssContent);

// Apply options and process
LowCodeHtmlSaveOptions saveOptions = new LowCodeHtmlSaveOptions();
saveOptions.HtmlOptions = htmlOptions;
saveOptions.OutputFile = "output/styled-report.html";
HtmlConverter.Process(loadOptions, saveOptions);

시나리오 2 : 다중 형식 웹 출판 파이프라인

// Implementing a complete publishing pipeline
async Task PublishExcelToWebAsync(string excelFile, string webRootPath)
{
    // Create base filename
    string baseName = Path.GetFileNameWithoutExtension(excelFile);
    
    // Generate HTML version
    LowCodeLoadOptions loadOptions = new LowCodeLoadOptions();
    loadOptions.InputFile = excelFile;
    
    // HTML output for web viewing
    LowCodeHtmlSaveOptions htmlOptions = new LowCodeHtmlSaveOptions();
    htmlOptions.OutputFile = Path.Combine(webRootPath, "reports", $"{baseName}.html");
    
    // Configure HTML styling
    var htmlSaveOpts = new HtmlSaveOptions();
    htmlSaveOpts.ExportImagesAsBase64 = true;
    htmlSaveOpts.ExportGridLines = false;
    htmlOptions.HtmlOptions = htmlSaveOpts;
    
    // Generate JSON for API consumption
    LowCodeSaveOptions jsonOptions = new LowCodeSaveOptions();
    jsonOptions.OutputFile = Path.Combine(webRootPath, "api", "data", $"{baseName}.json");
    
    // Create PDF for download option
    LowCodePdfSaveOptions pdfOptions = new LowCodePdfSaveOptions();
    pdfOptions.OutputFile = Path.Combine(webRootPath, "downloads", $"{baseName}.pdf");
    
    // Execute all conversions
    await Task.Run(() => {
        HtmlConverter.Process(loadOptions, htmlOptions);
        JsonConverter.Process(loadOptions, jsonOptions);
        PdfConverter.Process(loadOptions, pdfOptions);
    });
    
    // Update sitemap or database with new content
    await UpdateContentIndexAsync(baseName, new {
        html = htmlOptions.OutputFile,
        json = jsonOptions.OutputFile,
        pdf = pdfOptions.OutputFile
    });
}

// Example method to update content index
async Task UpdateContentIndexAsync(string reportName, object paths)
{
    // Implementation would depend on your web application's architecture
    Console.WriteLine($"Published report {reportName} to web");
}

결론

Aspose.Cells LowCode HTML Converter를 구현함으로써 Excel 기반 데이터를 웹 준비된 HTML 테이블로 효율적으로 변환하고 포맷의 무결성을 유지할 수 있습니다.이 접근 방식은 개발 시간을 크게 줄이고 스프레드시트 데이터가 웹 응용 프로그램에 무조건 통합될 수 있도록 합니다.

더 많은 정보와 추가 예제는 다음과 같습니다. Aspose.Cells.LowCode API 참조 .

 한국어