IronXL 시작하기 .NET MAUI 엑셀 .NET MAUI에서 Excel 파일 생성, 읽기 및 편집 커티스 차우 업데이트됨:1월 20, 2026 다운로드 IronXL NuGet 다운로드 DLL 다운로드 무료 체험 시작하기 LLM용 사본 LLM용 사본 LLM용 마크다운 형식으로 페이지를 복사하세요 ChatGPT에서 열기 ChatGPT에 이 페이지에 대해 문의하세요 제미니에서 열기 제미니에게 이 페이지에 대해 문의하세요 Grok에서 열기 Grok에게 이 페이지에 대해 문의하세요 혼란 속에서 열기 Perplexity에게 이 페이지에 대해 문의하세요 공유하다 페이스북에 공유하기 트위터에 공유하기 LinkedIn에 공유하기 URL 복사 이메일로 기사 보내기 This article was translated from English: Does it need improvement? Translated View the article in English 소개 이 사용 방법 가이드는 IronXL을 사용하여 Windows for .NET MAUI 앱에서 Excel 파일을 만들고 읽는 방법을 설명합니다. 시작해봅시다. IronXL: C# Excel 라이브러리 IronXL은 Excel 파일을 읽고, 쓰고, 조작하는 C# .NET 라이브러리입니다. 사용자는 Excel의 콘텐츠 및 외관뿐만 아니라 제목 및 저자와 같은 메타데이터를 포함하여 처음부터 Excel 문서를 생성할 수 있습니다. 이 라이브러리는 사용자 인터페이스에 대한 사용자 지정 기능도 지원하여 여백 설정, 방향, 페이지 크기, 이미지 등을 설정할 수 있습니다. Excel 파일을 생성하기 위해 외부 프레임워크, 플랫폼 통합, 다른 서드파티 라이브러리를 필요로 하지 않습니다. 그 자체로 완전하고 독립적입니다. ## .NET MAUI에서 Excel 파일 읽는 방법 Excel 파일을 읽기 위한 C# 라이브러리 설치 MAUI 애플리케이션 실행에 필요한 모든 패키지가 설치되어 있는지 확인하십시오. Maui에서 직관적인 API를 사용하여 Excel 파일을 생성하세요. 브라우저에서 엑셀 파일을 불러와서 볼 수 있습니다. 엑셀 파일 저장 및 내보내기 IronXL 설치 IronXL을 설치하려면 Visual Studio의 NuGet 패키지 관리 콘솔을 사용할 수 있습니다. 콘솔을 열고 IronXL 라이브러리를 설치하기 위해 다음 명령어를 입력하세요. Install-Package IronXl.Excel C#에서 IronXL을 사용하여 Excel 파일 생성하기 애플리케이션 프론트엔드 설계 XAML 페이지 MainPage.xaml을(를) 열고, 그 안의 코드를 다음 코드 조각으로 교체하세요. <?xml version="1.0" encoding="utf-8" ?> <ContentPage xmlns="http://schemas.microsoft.com/dotnet/2021/maui" xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml" x:Class="MAUI_IronXl.MainPage"> <ScrollView> <VerticalStackLayout Spacing="25" Padding="30,0" VerticalOptions="Center"> <Label Text="Welcome to .NET Multi-platform App UI" SemanticProperties.HeadingLevel="Level2" SemanticProperties.Description="Welcome Multi-platform App UI" FontSize="18" HorizontalOptions="Center" /> <Button x:Name="createBtn" Text="Create Excel File" SemanticProperties.Hint="Click on the button to create Excel file" Clicked="CreateExcel" HorizontalOptions="Center" /> <Button x:Name="readExcel" Text="Read and Modify Excel file" SemanticProperties.Hint="Click on the button to read Excel file" Clicked="ReadExcel" HorizontalOptions="Center" /> </VerticalStackLayout> </ScrollView> </ContentPage> <?xml version="1.0" encoding="utf-8" ?> <ContentPage xmlns="http://schemas.microsoft.com/dotnet/2021/maui" xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml" x:Class="MAUI_IronXl.MainPage"> <ScrollView> <VerticalStackLayout Spacing="25" Padding="30,0" VerticalOptions="Center"> <Label Text="Welcome to .NET Multi-platform App UI" SemanticProperties.HeadingLevel="Level2" SemanticProperties.Description="Welcome Multi-platform App UI" FontSize="18" HorizontalOptions="Center" /> <Button x:Name="createBtn" Text="Create Excel File" SemanticProperties.Hint="Click on the button to create Excel file" Clicked="CreateExcel" HorizontalOptions="Center" /> <Button x:Name="readExcel" Text="Read and Modify Excel file" SemanticProperties.Hint="Click on the button to read Excel file" Clicked="ReadExcel" HorizontalOptions="Center" /> </VerticalStackLayout> </ScrollView> </ContentPage> XML 위의 코드는 기본 .NET MAUI 애플리케이션 레이아웃을 만듭니다. 하나의 라벨과 두 개의 버튼을 생성합니다. 하나의 버튼은 Excel 파일을 생성하는 것이고, 두 번째 버튼은 Excel 파일을 읽고 수정하는 지원을 제공합니다. 두 요소는 VerticalStackLayout 요소에 중첩되어 있어 모든 지원되는 장치에서 수직으로 정렬됩니다. Excel 파일 생성 이제 IronXL을 사용하여 Excel 파일을 생성할 시간입니다. MainPage.xaml.cs 파일을 열고, 그 파일에 다음 메서드를 작성하세요. private void CreateExcel(object sender, EventArgs e) { // Create a new Workbook WorkBook workbook = WorkBook.Create(ExcelFileFormat.XLSX); // Create a Worksheet var sheet = workbook.CreateWorkSheet("2022 Budget"); // Set cell headers sheet["A1"].Value = "January"; sheet["B1"].Value = "February"; sheet["C1"].Value = "March"; sheet["D1"].Value = "April"; sheet["E1"].Value = "May"; sheet["F1"].Value = "June"; sheet["G1"].Value = "July"; sheet["H1"].Value = "August"; // Fill worksheet cells with random values Random r = new Random(); for (int i = 2; i <= 11; i++) { sheet["A" + i].Value = r.Next(1, 1000); sheet["B" + i].Value = r.Next(1000, 2000); sheet["C" + i].Value = r.Next(2000, 3000); sheet["D" + i].Value = r.Next(3000, 4000); sheet["E" + i].Value = r.Next(4000, 5000); sheet["F" + i].Value = r.Next(5000, 6000); sheet["G" + i].Value = r.Next(6000, 7000); sheet["H" + i].Value = r.Next(7000, 8000); } // Apply formatting (background and border) sheet["A1:H1"].Style.SetBackgroundColor("#d3d3d3"); sheet["A1:H1"].Style.TopBorder.SetColor("#000000"); sheet["A1:H1"].Style.BottomBorder.SetColor("#000000"); sheet["H2:H11"].Style.RightBorder.SetColor("#000000"); sheet["H2:H11"].Style.RightBorder.Type = IronXl.Styles.BorderType.Medium; sheet["A11:H11"].Style.BottomBorder.SetColor("#000000"); sheet["A11:H11"].Style.BottomBorder.Type = IronXl.Styles.BorderType.Medium; // Apply formulas decimal sum = sheet["A2:A11"].Sum(); decimal avg = sheet["B2:B11"].Avg(); decimal max = sheet["C2:C11"].Max(); decimal min = sheet["D2:D11"].Min(); sheet["A12"].Value = "Sum"; sheet["B12"].Value = sum; sheet["C12"].Value = "Avg"; sheet["D12"].Value = avg; sheet["E12"].Value = "Max"; sheet["F12"].Value = max; sheet["G12"].Value = "Min"; sheet["H12"].Value = min; // Save and open the Excel file SaveService saveService = new SaveService(); saveService.SaveAndView("Budget.xlsx", "application/octet-stream", workbook.ToStream()); } private void CreateExcel(object sender, EventArgs e) { // Create a new Workbook WorkBook workbook = WorkBook.Create(ExcelFileFormat.XLSX); // Create a Worksheet var sheet = workbook.CreateWorkSheet("2022 Budget"); // Set cell headers sheet["A1"].Value = "January"; sheet["B1"].Value = "February"; sheet["C1"].Value = "March"; sheet["D1"].Value = "April"; sheet["E1"].Value = "May"; sheet["F1"].Value = "June"; sheet["G1"].Value = "July"; sheet["H1"].Value = "August"; // Fill worksheet cells with random values Random r = new Random(); for (int i = 2; i <= 11; i++) { sheet["A" + i].Value = r.Next(1, 1000); sheet["B" + i].Value = r.Next(1000, 2000); sheet["C" + i].Value = r.Next(2000, 3000); sheet["D" + i].Value = r.Next(3000, 4000); sheet["E" + i].Value = r.Next(4000, 5000); sheet["F" + i].Value = r.Next(5000, 6000); sheet["G" + i].Value = r.Next(6000, 7000); sheet["H" + i].Value = r.Next(7000, 8000); } // Apply formatting (background and border) sheet["A1:H1"].Style.SetBackgroundColor("#d3d3d3"); sheet["A1:H1"].Style.TopBorder.SetColor("#000000"); sheet["A1:H1"].Style.BottomBorder.SetColor("#000000"); sheet["H2:H11"].Style.RightBorder.SetColor("#000000"); sheet["H2:H11"].Style.RightBorder.Type = IronXl.Styles.BorderType.Medium; sheet["A11:H11"].Style.BottomBorder.SetColor("#000000"); sheet["A11:H11"].Style.BottomBorder.Type = IronXl.Styles.BorderType.Medium; // Apply formulas decimal sum = sheet["A2:A11"].Sum(); decimal avg = sheet["B2:B11"].Avg(); decimal max = sheet["C2:C11"].Max(); decimal min = sheet["D2:D11"].Min(); sheet["A12"].Value = "Sum"; sheet["B12"].Value = sum; sheet["C12"].Value = "Avg"; sheet["D12"].Value = avg; sheet["E12"].Value = "Max"; sheet["F12"].Value = max; sheet["G12"].Value = "Min"; sheet["H12"].Value = min; // Save and open the Excel file SaveService saveService = new SaveService(); saveService.SaveAndView("Budget.xlsx", "application/octet-stream", workbook.ToStream()); } $vbLabelText $csharpLabel 이 소스 코드는 IronXL을 사용하여 워크북과 워크시트를 생성하고 셀 값 설정 및 셀 서식을 지정합니다. 또한 IronXL을 사용하여 Excel 수식을 사용하는 방법을 보여줍니다. 브라우저에서 Excel 파일 보기 MainPage.xaml.cs 파일을 열고, 다음 코드를 작성하세요. private void ReadExcel(object sender, EventArgs e) { // Store the path of the file string filepath = @"C:\Files\Customer Data.xlsx"; WorkBook workbook = WorkBook.Load(filepath); WorkSheet sheet = workbook.WorkSheets.First(); // Calculate the sum of a range decimal sum = sheet["B2:B10"].Sum(); // Modify a cell value and apply styles sheet["B11"].Value = sum; sheet["B11"].Style.SetBackgroundColor("#808080"); sheet["B11"].Style.Font.SetColor("#ffffff"); // Save and open the Excel file SaveService saveService = new SaveService(); saveService.SaveAndView("Modified Data.xlsx", "application/octet-stream", workbook.ToStream()); DisplayAlert("Notification", "Excel file has been modified!", "OK"); } private void ReadExcel(object sender, EventArgs e) { // Store the path of the file string filepath = @"C:\Files\Customer Data.xlsx"; WorkBook workbook = WorkBook.Load(filepath); WorkSheet sheet = workbook.WorkSheets.First(); // Calculate the sum of a range decimal sum = sheet["B2:B10"].Sum(); // Modify a cell value and apply styles sheet["B11"].Value = sum; sheet["B11"].Style.SetBackgroundColor("#808080"); sheet["B11"].Style.Font.SetColor("#ffffff"); // Save and open the Excel file SaveService saveService = new SaveService(); saveService.SaveAndView("Modified Data.xlsx", "application/octet-stream", workbook.ToStream()); DisplayAlert("Notification", "Excel file has been modified!", "OK"); } $vbLabelText $csharpLabel 소스 코드는 Excel 파일을 불러와 셀 범위에 수식을 적용하고 커스텀 배경 및 텍스트 색상으로 서식을 지정합니다. 그 후, 수정된 Excel 파일이 저장되고 알림이 표시됩니다. Excel 파일 저장 이 섹션에서는 SaveService 클래스를 정의하여 Excel 파일을 로컬 저장소에 저장합니다. "SaveService.cs" 클래스를 만들고 다음 코드를 작성하세요: using System; using System.IO; namespace MAUI_IronXL { public partial class SaveService { public partial void SaveAndView(string fileName, string contentType, MemoryStream stream); } } using System; using System.IO; namespace MAUI_IronXL { public partial class SaveService { public partial void SaveAndView(string fileName, string contentType, MemoryStream stream); } } $vbLabelText $csharpLabel 그 다음, Platforms > Windows 폴더 내에 "SaveWindows.cs"라는 클래스를 생성하고 다음 코드를 추가하세요: using System; using System.Collections.Generic; using System.IO; using System.Runtime.InteropServices.WindowsRuntime; using Windows.Storage; using Windows.Storage.Pickers; using Windows.Storage.Streams; using Windows.UI.Popups; namespace MAUI_IronXL { public partial class SaveService { public async partial void SaveAndView(string fileName, string contentType, MemoryStream stream) { StorageFile stFile; string extension = Path.GetExtension(fileName); IntPtr windowHandle = System.Diagnostics.Process.GetCurrentProcess().MainWindowHandle; if (!Windows.Foundation.Metadata.ApiInformation.IsTypePresent("Windows.Phone.UI.Input.HardwareButtons")) { FileSavePicker savePicker = new FileSavePicker(); savePicker.DefaultFileExtension = ".xlsx"; savePicker.SuggestedFileName = fileName; savePicker.FileTypeChoices.Add("XLSX", new List<string> { ".xlsx" }); WinRT.Interop.InitializeWithWindow.Initialize(savePicker, windowHandle); stFile = await savePicker.PickSaveFileAsync(); } else { StorageFolder local = ApplicationData.Current.LocalFolder; stFile = await local.CreateFileAsync(fileName, CreationCollisionOption.ReplaceExisting); } if (stFile != null) { using (IRandomAccessStream zipStream = await stFile.OpenAsync(FileAccessMode.ReadWrite)) { using (Stream outputStream = zipStream.AsStreamForWrite()) { outputStream.SetLength(0); stream.WriteTo(outputStream); await outputStream.FlushAsync(); } } MessageDialog msgDialog = new("Do you want to view the document?", "File has been created successfully"); UICommand yesCmd = new("Yes"); msgDialog.Commands.Add(yesCmd); UICommand noCmd = new("No"); msgDialog.Commands.Add(noCmd); WinRT.Interop.InitializeWithWindow.Initialize(msgDialog, windowHandle); IUICommand cmd = await msgDialog.ShowAsync(); if (cmd.Label == yesCmd.Label) { await Windows.System.Launcher.LaunchFileAsync(stFile); } } } } } using System; using System.Collections.Generic; using System.IO; using System.Runtime.InteropServices.WindowsRuntime; using Windows.Storage; using Windows.Storage.Pickers; using Windows.Storage.Streams; using Windows.UI.Popups; namespace MAUI_IronXL { public partial class SaveService { public async partial void SaveAndView(string fileName, string contentType, MemoryStream stream) { StorageFile stFile; string extension = Path.GetExtension(fileName); IntPtr windowHandle = System.Diagnostics.Process.GetCurrentProcess().MainWindowHandle; if (!Windows.Foundation.Metadata.ApiInformation.IsTypePresent("Windows.Phone.UI.Input.HardwareButtons")) { FileSavePicker savePicker = new FileSavePicker(); savePicker.DefaultFileExtension = ".xlsx"; savePicker.SuggestedFileName = fileName; savePicker.FileTypeChoices.Add("XLSX", new List<string> { ".xlsx" }); WinRT.Interop.InitializeWithWindow.Initialize(savePicker, windowHandle); stFile = await savePicker.PickSaveFileAsync(); } else { StorageFolder local = ApplicationData.Current.LocalFolder; stFile = await local.CreateFileAsync(fileName, CreationCollisionOption.ReplaceExisting); } if (stFile != null) { using (IRandomAccessStream zipStream = await stFile.OpenAsync(FileAccessMode.ReadWrite)) { using (Stream outputStream = zipStream.AsStreamForWrite()) { outputStream.SetLength(0); stream.WriteTo(outputStream); await outputStream.FlushAsync(); } } MessageDialog msgDialog = new("Do you want to view the document?", "File has been created successfully"); UICommand yesCmd = new("Yes"); msgDialog.Commands.Add(yesCmd); UICommand noCmd = new("No"); msgDialog.Commands.Add(noCmd); WinRT.Interop.InitializeWithWindow.Initialize(msgDialog, windowHandle); IUICommand cmd = await msgDialog.ShowAsync(); if (cmd.Label == yesCmd.Label) { await Windows.System.Launcher.LaunchFileAsync(stFile); } } } } } $vbLabelText $csharpLabel 산출 MAUI 프로젝트를 빌드 및 실행하세요. 성공적으로 실행되면 아래의 이미지에 묘사된 내용을 보여주는 창이 열립니다. **그림 1** - *출력* "엑셀 파일 생성" 버튼을 클릭하면 별도의 대화창이 열립니다. 이 창에서는 새로 생성된 Excel 파일을 저장할 위치와 파일 이름을 선택하라는 메시지가 표시됩니다. 위치와 파일 이름을 지시대로 지정하고 OK를 클릭하세요. 그 후 다른 대화창이 나타납니다. **그림 2** - *엑셀 생성 팝업* 팝업에서 지시한 대로 Excel 파일을 열면 아래 스크린샷에 나온 문서를 볼 수 있습니다. **그림 3** - *엑셀 읽기 및 수정 팝업* "엑셀 파일 읽기 및 수정" 버튼을 클릭하면 이전에 생성된 Excel 파일을 불러와 앞서 정의한 사용자 지정 배경 및 텍스트 색상으로 수정합니다. **그림 4** - *엑셀 출력* 수정된 파일을 열면 목차와 함께 다음과 같은 출력이 나타납니다. **그림 5** - *수정된 엑셀 출력* 결론 IronXL 라이브러리를 사용하여 .NET MAUI 애플리케이션에서 Excel 파일을 생성, 읽고, 수정하는 방법을 설명했습니다. IronXL은 매우 뛰어난 성능을 발휘하며 모든 작업을 신속하고 정확하게 수행합니다. Microsoft Interop을 능가하는 우수한 Excel 작업용 라이브러리입니다. IronXL은 기계에 Microsoft Office Suite 설치가 필요하지 않으며, 워크북 및 워크시트 생성, 셀 범위 작업, 서식 지정, CSV, TSV 등 다양한 문서 유형으로 내보내기와 같은 여러 작업을 지원합니다. IronXL은 Windows Form, WPF, ASP.NET Core 등 모든 프로젝트 템플릿을 지원합니다. IronXL을 사용하는 방법에 대한 추가 정보를 위해 Excel 파일 생성 및 Excel 파일 읽기에 관한 자습서를 참조하세요. 빠른 액세스 링크 ### GitHub에서 이 사용 방법 가이드를 탐색하세요 이 프로젝트의 소스 코드는 GitHub 에서 확인할 수 있습니다. 이 코드를 사용하여 몇 분 내에 쉽게 시작할 수 있습니다. 프로젝트는 Microsoft Visual Studio 2022 프로젝트로 저장되었지만 모든 .NET IDE와 호환됩니다. .NET MAUI 앱에서 Excel 파일을 읽고, 생성하고, 편집하는 방법 ### API 참조를 확인하세요. IronXL의 API 참조를 탐색하여 IronXL의 모든 기능, 네임스페이스, 클래스, 메소드, 필드 및 열거형에 대한 세부 정보를 설명합니다. API 참조를 확인하세요. 자주 묻는 질문 .NET MAUI 애플리케이션에서 Excel 파일을 어떻게 생성하나요? .NET MAUI 프로젝트에서 Excel 파일을 생성하려면 IronXL 라이브러리를 사용하여 새 통합 문서와 워크시트를 초기화합니다. 그런 다음 셀 값을 설정하고, Excel 수식을 적용하고, 서식을 사용자 지정한 후 사용자 지정 SaveService 클래스를 사용하여 파일을 저장할 수 있습니다. .NET MAUI 애플리케이션에서 기존 Excel 파일을 읽을 수 있나요? 예, IronXL을 사용하여 .NET MAUI 애플리케이션에서 기존 Excel 파일을 불러오고 읽을 수 있습니다. 이 라이브러리를 사용하면 셀 값에 접근하고 수정하고, 수식을 적용하고, 사용자 지정 서식을 구현할 수 있습니다. .NET MAUI에서 Excel 파일 조작에 IronXL을 사용하면 어떤 이점이 있습니까? IronXL은 .NET MAUI 환경에서 Excel 파일 조작을 위한 완벽한 솔루션을 제공하므로 Microsoft Office나 Interop이 필요하지 않습니다. Excel 파일을 효율적으로 생성, 읽기, 편집할 수 있으며 CSV 및 TSV와 같은 다양한 형식으로 내보낼 수 있습니다. .NET MAUI 프로젝트에 IronXL을 설치하려면 어떻게 해야 하나요? Visual Studio의 NuGet 패키지 관리자 콘솔을 사용하여 .NET MAUI 프로젝트에 IronXL을 설치할 수 있습니다. 다음 명령을 실행하여 라이브러리를 프로젝트에 추가하세요. Install-Package IronXl.Excel .NET MAUI에서 Excel 셀의 서식을 프로그래밍 방식으로 지정하는 것이 가능합니까? 네, IronXL을 사용하면 .NET MAUI에서 Excel 셀의 서식을 프로그래밍 방식으로 지정할 수 있습니다. 셀 스타일, 색상 설정은 물론 다양한 서식 옵션을 적용하여 Excel 파일의 모양을 향상시킬 수 있습니다. .NET MAUI 앱에서 Excel 파일용 SaveService 클래스를 어떻게 구현할 수 있을까요? .NET MAUI에서 SaveService 클래스를 구현하려면 IronXL의 기능을 활용하여 Excel 파일을 로컬 저장소에 저장하는 클래스를 만들 수 있습니다. 이를 위해서는 파일 경로를 지정하고 파일 I/O 작업을 관리하는 메서드를 정의해야 합니다. IronXL은 .NET 애플리케이션에서 어떤 프로젝트 템플릿을 지원하나요? IronXL은 Windows Forms, WPF, ASP.NET Core 등 다양한 .NET 프로젝트 템플릿을 지원하여 개발자가 다양한 유형의 애플리케이션을 개발할 수 있도록 유연성을 제공합니다. .NET MAUI Excel 프로젝트의 소스 코드는 어디에서 찾을 수 있나요? IronXL을 사용하는 .NET MAUI Excel 프로젝트의 소스 코드는 GitHub에서 확인할 수 있습니다. 이를 통해 개발자는 Visual Studio 2022를 사용하여 애플리케이션에서 Excel 파일 조작 기능을 신속하게 설정하고 실험해 볼 수 있습니다. 커티스 차우 지금 바로 엔지니어링 팀과 채팅하세요 기술 문서 작성자 커티스 차우는 칼턴 대학교에서 컴퓨터 과학 학사 학위를 취득했으며, Node.js, TypeScript, JavaScript, React를 전문으로 하는 프론트엔드 개발자입니다. 직관적이고 미적으로 뛰어난 사용자 인터페이스를 만드는 데 열정을 가진 그는 최신 프레임워크를 활용하고, 잘 구성되고 시각적으로 매력적인 매뉴얼을 제작하는 것을 즐깁니다. 커티스는 개발 분야 외에도 사물 인터넷(IoT)에 깊은 관심을 가지고 있으며, 하드웨어와 소프트웨어를 통합하는 혁신적인 방법을 연구합니다. 여가 시간에는 게임을 즐기거나 디스코드 봇을 만들면서 기술에 대한 애정과 창의성을 결합합니다. A PHP Error was encountered Severity: Notice Message: Undefined index: IronXl.Excel Filename: helpers/counter_helper.php Line Number: 85 Backtrace: File: /var/www/ironpdf.com/application/helpers/counter_helper.php Line: 85 Function: _error_handler File: /var/www/ironpdf.com/application/views/main/sections/ready_to_started_202509.php Line: 12 Function: getTotalDonwloadNumber File: /var/www/ironpdf.com/application/libraries/Render.php Line: 489 Function: view File: /var/www/ironpdf.com/application/controllers/Products/Getstarted.php Line: 25 Function: render_products_view File: /var/www/ironpdf.com/index.php Line: 292 Function: require_once A PHP Error was encountered Severity: Notice Message: Undefined index: IronXl.Excel Filename: helpers/counter_helper.php Line Number: 85 Backtrace: File: /var/www/ironpdf.com/application/helpers/counter_helper.php Line: 85 Function: _error_handler File: /var/www/ironpdf.com/application/views/main/sections/ready_to_started_202509.php Line: 19 Function: getTotalDonwloadNumber File: /var/www/ironpdf.com/application/libraries/Render.php Line: 489 Function: view File: /var/www/ironpdf.com/application/controllers/Products/Getstarted.php Line: 25 Function: render_products_view File: /var/www/ironpdf.com/index.php Line: 292 Function: require_once 시작할 준비 되셨나요? Nuget 다운로드 1,890,100 | 버전: 2026.3 방금 출시되었습니다 무료 체험 시작하기 NuGet 무료 다운로드 총 다운로드 수: 1,890,100 라이선스 보기 Docs 이 페이지에서 시작하기시작하기 개요Interop 없이 C#에서 Excel과 작업하기라이선스 키 사용IronXL 라이브러리를 설치하세요macOS에서 사용리눅스에서 사용클라우드/컨테이너에 배포Azure에 배포AWS에 배포Docker에 설정기타 .NET 언어 지원.NET MAUI에서 Excel로 작업하기Blazor에서 Excel 파일 읽기VB.NET Excel 파일 작업튜토리얼C#에서 Excel 파일을 읽는 방법C#으로 Excel 파일 생성하기C#을 사용하여 Excel 파일을 열고 쓰는 방법방법워크북스프레드시트 만들기스프레드시트 불러오기C#에서 Excel로 내보내기XLSX 파일 읽기 (C#)C#에서 CSV 파일을 읽는 방법ASP.NET 웹 앱에서 Excel 파일 읽기.NET에서 CSV 파일 작성C#에서 Excel 워크시트 열기데이터 테이블을 CSV로 변환XLSX 파일을 CSV, JSON, XML 형식으로 변환스프레드시트 파일 형식 변환데이터세트로 가져오기 및 내보내기통합 문서 메타데이터 편집암호를 사용하여 통합 문서를 암호화합니다.워크시트 관리워크시트수식 편집범위 선택명명된 범위이름이 지정된 테이블차트 생성 및 편집냉동 유리행과 열을 추가합니다행과 열의 크기를 자동으로 조정합니다암호로 워크시트를 암호화하세요그룹화 및 그룹 해제이미지 추가, 추출 및 삭제C#으로 Excel 차트 생성하기세포 범위.NET에서 Excel 값을 작성하기C#에서 Excel 데이터 가져오기셀 범위 정렬트림 셀 범위클리어 셀복사 셀하이퍼링크 설정셀 병합 및 병합 해제셀 글꼴 및 크기세포 경계 및 정렬배경 패턴 및 색상조건부 서식수학 함수댓글 추가셀 데이터 서식 설정C#에서 Excel 파일 편집문제 해결문제 해결 가이드IronXL에 라이선스 키를 적용하세요파일 크기 제한Excel의 제한 사항: 문자열 목록에 대한 데이터 유효성 검사자주 묻는 질문IronXL - 보안 CVE예외 메시지Web.config에서 라이선스 키 설정하기제품 업데이트변경 로그주요 이정표주요 성과: 실적주요 성과: 향상비디오 튜토리얼API 참조 이 페이지에서 소개IronXL: C# Excel 라이브러리.NET MAUI에서 Excel 파일 읽는 방법IronXL 설치C#에서 IronXL을 사용하여 Excel 파일 생성하기결론 A PHP Error was encountered Severity: Notice Message: Undefined index: IronXl.Excel Filename: helpers/counter_helper.php Line Number: 85 Backtrace: File: /var/www/ironpdf.com/application/helpers/counter_helper.php Line: 85 Function: _error_handler File: /var/www/ironpdf.com/application/views/main/sections/still_scrolling_202512.php Line: 17 Function: getTotalDonwloadNumber File: /var/www/ironpdf.com/application/views/products/sections/three_column_docs_page_structure.php Line: 71 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 88 Function: view File: /var/www/ironpdf.com/application/views/products/get-started/index.php Line: 2 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 88 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 552 Function: view File: /var/www/ironpdf.com/application/controllers/Products/Getstarted.php Line: 25 Function: render_products_view File: /var/www/ironpdf.com/index.php Line: 292 Function: require_once A PHP Error was encountered Severity: Notice Message: Undefined index: IronXl.Excel Filename: helpers/counter_helper.php Line Number: 85 Backtrace: File: /var/www/ironpdf.com/application/helpers/counter_helper.php Line: 85 Function: _error_handler File: /var/www/ironpdf.com/application/views/main/sections/still_scrolling_202512.php Line: 24 Function: getTotalDonwloadNumber File: /var/www/ironpdf.com/application/views/products/sections/three_column_docs_page_structure.php Line: 71 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 88 Function: view File: /var/www/ironpdf.com/application/views/products/get-started/index.php Line: 2 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 88 Function: view File: /var/www/ironpdf.com/application/libraries/Render.php Line: 552 Function: view File: /var/www/ironpdf.com/application/controllers/Products/Getstarted.php Line: 25 Function: render_products_view File: /var/www/ironpdf.com/index.php Line: 292 Function: require_once 아직도 스크롤하고 계신가요? 빠른 증거를 원하시나요? PM > Install-Package IronXl.Excel 샘플을 실행하세요 데이터가 스프레드시트로 변환되는 것을 지켜보세요. NuGet 무료 다운로드 총 다운로드 수: 1,890,100 라이선스 보기