Um guia ilustrando diferentes métodos para alterar o tamanho da página do PDF

Você já baixou um PDF apenas para descobrir que ele tem um tamanho estranho e não padrão que não atende às suas necessidades? Talvez seja um documento do tamanho de um pôster que você precisa imprimir em A4, ou um documento legal que deve ser convertido para o tamanho Carta para uma submissão. Alterar o tamanho da página do PDF pode resolver problemas como conteúdo desalinhado, desperdício de papel ou má legibilidade.

Neste guia, apresentaremos como redimensionar páginas de PDF, incluindo métodos passo a passo para usuários comuns (não são necessárias habilidades técnicas) e uma solução em C# amigável para desenvolvedores para automatizar tarefas em massa.


Tamanhos de Papel Padrão que Você Deve Conhecer

Ao alterar o tamanho do seu PDF, você provavelmente usará um destes padrões comuns:

  • A4 (210 x 297 mm / 8,27" x 11,69"): O padrão internacional, usado em todos os lugares, exceto na América do Norte.
  • Carta (8,5" x 11" / 216 x 279 mm): O padrão nos Estados Unidos e no Canadá.
  • Legal (8,5" x 14" / 216 x 356 mm): Frequentemente usado para contratos e documentos oficiais.
  • A3 (297 x 420 mm / 11,69" x 16,54"): O dobro do tamanho do A4, comum para diagramas e pequenos pôsteres.
  • Tabloide/Ledger (11" x 17" / 279 x 432 mm): Frequentemente usado para jornais ou grandes apresentações.

Método 1: Usando Ferramentas de PDF Online Gratuitas

Para trabalhos rápidos e únicos sem instalar software, as ferramentas online gratuitas são excelentes. Elas funcionam em qualquer navegador e suportam necessidades de redimensionamento básicas a moderadas.

Ferramentas Populares: Smallpdf, PDF2Go e Soda PDF.

Processo geral para alterar o tamanho da página do PDF online:

  • Vá para a página “Redimensionar PDF” da ferramenta (por exemplo, ferramenta Redimensionar PDF do PDF2Go).
  • Envie seu arquivo PDF arrastando e soltando ou selecionando-o do seu computador.
  • Selecione um tamanho de página predefinido (A4, A3, Carta, etc.) no menu suspenso ou insira dimensões personalizadas.
  • Clique no botão "**Iniciar**" e depois baixe o PDF redimensionado.

Altere o tamanho da página do PDF usando uma ferramenta online gratuita

Nota: Embora convenientes, as ferramentas de redimensionamento de PDF online podem apresentar riscos de privacidade para documentos confidenciais, e os planos gratuitos geralmente limitam o tamanho do arquivo e o número de tarefas.

Leia também: Como Cortar PDFs Gratuitamente (3 Métodos Fáceis)


Método 2: Usando o Adobe Acrobat (Standard/Pro)

Para um controle preciso, especialmente com documentos profissionais ou complexos, o Adobe Acrobat (Pro ou Standard) é o padrão da indústria.

Como redimensionar páginas de PDF com o Adobe Acrobat:

  • Abra seu PDF no Acrobat e vá para “**Arquivo > Imprimir**” (ou pressione “Ctrl+P”).
  • Escolha "**Microsoft Print to PDF**" como sua impressora.
  • Vá para "**Configuração de Página**" e selecione o tamanho de papel desejado (por exemplo, Carta, A4).
  • Na seção “**Tamanho e Manuseio da Página**”, escolha “**Ajustar**” para dimensionar o conteúdo para o novo tamanho da página.
  • Clique em "**Imprimir**" para aplicar as alterações.

Redimensione as páginas do PDF usando a caixa de diálogo de impressão no Adobe Acrobat

Ideal para: Usuários que precisam de alta precisão, processamento em lote ou que estão trabalhando com documentos confidenciais ou profissionais.


Método 3: Usando o Recurso de Impressora Embutido do Windows

Este é um truque inteligente disponível para todos os usuários do Windows 10 e 11. Ele usa as configurações da impressora para criar efetivamente um novo PDF com um tamanho diferente.

Passos para redimensionar páginas de PDF no Windows:

  • Abra seu arquivo em qualquer visualizador de PDF (como o Microsoft Edge embutido).
  • Pressione “**Ctrl + P**” ou clique no ícone da impressora.
  • Escolha “**Microsoft Print to PDF**” como sua impressora e clique em "Mais configurações".
  • Procure por um menu suspenso "**Tamanho do Papel**" e selecione o tamanho desejado (por exemplo, A4, Carta).
  • Marque "**Ajustar à área de impressão**” para dimensionar o conteúdo apropriadamente para o novo tamanho.
  • Clique em “**Imprimir**” para salvar o novo PDF redimensionado com um nome ou local diferente.

Altere o tamanho da página do PDF usando a caixa de diálogo de impressão do Windows

Quando Usar Este Método: Você é um usuário do Windows 10/11 e deseja uma solução gratuita e sem instalação para redimensionar documentos PDF simples.


Método 4: Usando C# para Alterar o Tamanho da Página do PDF

Para desenvolvedores, automatizar o redimensionamento de PDF (por exemplo, em aplicativos, trabalhos em lote ou fluxos de trabalho) economiza tempo e reduz erros. Spire.PDF for .NET é uma biblioteca robusta que permite ajustar os tamanhos das páginas do PDF via C#.

Como definir o tamanho da página do PDF em C#:

O código abaixo cria um novo PDF com páginas do tamanho A3, depois dimensiona e copia o conteúdo do PDF original para caber nas novas dimensões.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument instance
            PdfDocument originPdf = new PdfDocument();
            // Load the original PDF document
            originPdf.LoadFromFile("Sample.pdf");

            // Create a new PDF document
            PdfDocument newPdf = new PdfDocument();

            // Loop through the pages in the original PDF
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Add an A3-sized page to the new PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Create a PdfTextLayout instance
                PdfTextLayout layout = new PdfTextLayout();
                // Set text layout as one page to ensure the content will scale to fit page size
                layout.Layout = PdfLayoutType.OnePage;
                // Create a template from the original page
                PdfTemplate template = page.CreateTemplate();
                // Draw the templates onto the pages in the new PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Save the resized document
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

Métodos Principais:

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins): Adiciona uma nova página a um PdfDocument com um tamanho e margens especificados.
  • PdfPageBase.CreateTemplate(): Captura o conteúdo (texto, imagens, formas, etc.) da página original.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout): Desenha o conteúdo de um PdfTemplate na nova página do PDF, com regras de posicionamento e layout.

Aqui está o arquivo PDF resultante com um tamanho de página A3 (11,69 x 16,54 polegadas):

Altere o tamanho da página do PDF com C#

Se você precisar personalizar o tamanho da página do PDF, consulte: Alterar o Tamanho da Página do PDF para um Tamanho de Papel Personalizado em C#


FAQ: Perguntas Comuns sobre Redimensionamento de PDF

P1: Redimensionar uma página de PDF distorcerá meu texto ou imagens?

R: Quando feito corretamente, o conteúdo deve ser dimensionado proporcionalmente. No entanto, mudanças drásticas de tamanho (por exemplo, de A4 para A6) podem tornar o texto muito pequeno ou as imagens pixeladas. Sempre verifique o arquivo de saída. Usar a opção "Ajustar à página" ou similar é crucial para manter as proporções.

P2: Existe uma alternativa gratuita para Mac ao Microsoft Print to PDF?

R: Sim, use o aplicativo Preview padrão do Mac:

  1. Abra o PDF no Preview.
  2. Vá para “**Arquivo > Imprimir”**.
  3. Clique no menu suspenso “**Tamanho do Papel**” e selecione o tamanho de papel desejado na lista.
  4. Clique em “PDF” (canto inferior esquerdo) e escolha "**Salvar como PDF**" para exportar.

P3: Qual método é o melhor para redimensionar páginas de PDF em lote?

R: Ferramentas online gratuitas geralmente têm limitações no processamento em lote. O Adobe Acrobat Pro possui ações em lote integradas para essa finalidade. Para processamento em lote automatizado em grande escala, o método programático em C# usando Spire.PDF é a solução mais eficiente e poderosa.

P4: Como desenvolvedor, o Spire.PDF é gratuito para usar?

R: O Spire.PDF for .NET oferece uma edição comunitária gratuita com limitações, que é boa para avaliação e pequenos projetos. Se você quiser testar a funcionalidade completa, pode solicitar uma licença de avaliação de 30 dias aqui.


Considerações Finais

Ajustar o tamanho da página do PDF é simples com ferramentas online ou o Adobe Acrobat para usuários em geral. Se você está no Windows e deseja uma opção offline confiável para documentos simples, o recurso embutido “Microsoft Print to PDF” é perfeito. Para automação ou integração de aplicativos, o Spire.PDF for .NET oferece uma poderosa solução em C#. Não importa qual ferramenta você escolha, sempre verifique o PDF final para garantir que o conteúdo e a formatação permaneçam corretos. Com este guia, você agora está equipado para lidar com qualquer desafio de tamanho de página de PDF de forma eficiente.


Veja Também

PDF 페이지 크기를 변경하는 다양한 방법을 설명하는 안내서

PDF를 다운로드했는데 필요에 맞지 않는 어색하고 비표준적인 크기인 것을 발견한 적이 있습니까? A4 용지에 인쇄해야 하는 포스터 크기의 문서이거나 제출을 위해 레터 크기로 변환해야 하는 법률 문서일 수 있습니다. PDF 페이지 크기 변경은 내용 정렬 불량, 용지 낭비 또는 가독성 저하와 같은 문제를 해결할 수 있습니다.

이 안내서에서는 일상적인 사용자를 위한 단계별 방법(기술 필요 없음)과 대량 작업을 자동화하기 위한 개발자 친화적인 C# 솔루션을 포함하여 PDF 페이지 크기를 조정하는 방법을 소개합니다.


알아두어야 할 표준 용지 크기

PDF 크기를 변경할 때 다음과 같은 일반적인 표준 중 하나를 사용할 가능성이 높습니다.

  • A4(210 x 297mm / 8.27" x 11.69"): 북미를 제외한 모든 곳에서 사용되는 국제 표준입니다.
  • 레터(8.5" x 11" / 216 x 279mm): 미국과 캐나다의 표준입니다.
  • 리갈(8.5" x 14" / 216 x 356mm): 계약서 및 공식 문서에 자주 사용됩니다.
  • A3(297 x 420mm / 11.69" x 16.54"): A4 크기의 두 배로 다이어그램 및 작은 포스터에 일반적입니다.
  • 타블로이드/레저(11" x 17" / 279 x 432mm): 신문이나 대형 프레젠테이션에 자주 사용됩니다.

방법 1: 무료 온라인 PDF 도구 사용

소프트웨어를 설치하지 않고 한 번에 끝내는 빠른 작업의 경우 무료 온라인 도구가 훌륭합니다. 모든 브라우저에서 작동하며 기본에서 중간 정도의 크기 조정 요구 사항을 지원합니다.

인기 있는 도구: Smallpdf, PDF2Go 및 Soda PDF.

온라인에서 PDF 페이지 크기를 변경하는 일반적인 프로세스:

  • 도구의 “PDF 크기 조정” 페이지(예: PDF2Go PDF 크기 조정 도구)로 이동합니다.
  • 컴퓨터에서 끌어다 놓거나 선택하여 PDF 파일을 업로드합니다.
  • 드롭다운 메뉴에서 사전 설정된 페이지 크기(A4, A3, 레터 등)를 선택하거나 사용자 지정 치수를 입력합니다.
  • "시작" 버튼을 클릭한 다음 크기가 조정된 PDF를 다운로드합니다.

무료 온라인 도구를 사용하여 PDF 페이지 크기 변경

참고: 편리하지만 온라인 PDF 크기 조정 도구는 중요한 문서에 대한 개인 정보 보호 위험을 초래할 수 있으며 무료 플랜은 일반적으로 파일 크기와 작업 수를 제한합니다.

또한 읽기: PDF를 무료로 자르는 방법(3가지 쉬운 방법)


방법 2: Adobe Acrobat(Standard/Pro) 사용

특히 전문적이거나 복잡한 문서의 경우 정밀한 제어를 위해 Adobe Acrobat(Pro 또는 Standard)이 업계 표준입니다.

Adobe Acrobat으로 PDF 페이지 크기를 조정하는 방법:

  • Acrobat에서 PDF를 열고 “파일 > 인쇄”로 이동하거나 “Ctrl+P”를 누릅니다.
  • 프린터로 "Microsoft Print to PDF"를 선택합니다.
  • "페이지 설정"으로 이동하여 원하는 용지 크기(예: 레터, A4)를 선택합니다.
  • 페이지 크기 및 처리” 섹션에서 “맞춤”을 선택하여 내용을 새 페이지 크기에 맞게 조정합니다.
  • 변경 사항을 적용하려면 "인쇄"를 클릭합니다.

Adobe Acrobat의 인쇄 대화 상자를 사용하여 PDF 페이지 크기 조정

적합 대상: 높은 정밀도, 일괄 처리가 필요하거나 중요한 또는 전문적인 문서를 다루는 사용자.


방법 3: Windows 기본 제공 프린터 기능 사용

이것은 모든 Windows 10 및 11 사용자에게 제공되는 영리한 해결 방법입니다. 프린터 설정을 사용하여 다른 크기의 새 PDF를 효과적으로 만듭니다.

Windows에서 PDF 페이지 크기를 조정하는 단계:

  • 모든 PDF 뷰어(기본 제공 Microsoft Edge 등)에서 파일을 엽니다.
  • Ctrl + P”를 누르거나 프린터 아이콘을 클릭합니다.
  • 프린터로 “Microsoft Print to PDF”를 선택하고 "추가 설정"을 클릭합니다.
  • "용지 크기" 드롭다운을 찾아 원하는 크기(예: A4, 레터)를 선택합니다.
  • "인쇄 가능 영역에 맞춤”을 선택하여 내용을 새 크기에 맞게 적절하게 조정합니다.
  • 인쇄”를 클릭하여 크기가 조정된 새 PDF를 다른 이름이나 위치에 저장합니다.

Windows 인쇄 대화 상자를 사용하여 PDF 페이지 크기 변경

이 방법을 사용하는 경우: Windows 10/11 사용자이며 간단한 PDF 문서의 크기를 조정하기 위한 무료 설치 없는 솔루션을 원합니다.


방법 4: C#을 사용하여 PDF 페이지 크기 변경

개발자의 경우 PDF 크기 조정(예: 앱, 일괄 작업 또는 워크플로)을 자동화하면 시간을 절약하고 오류를 줄일 수 있습니다. Spire.PDF for .NET은 C#을 통해 PDF 페이지 크기를 조정할 수 있는 강력한 라이브러리입니다.

C#에서 PDF 페이지 크기를 설정하는 방법:

아래 코드는 A3 크기 페이지가 있는 새 PDF를 만든 다음 원본 PDF의 내용을 새 크기에 맞게 조정하고 복사합니다.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument instance
            PdfDocument originPdf = new PdfDocument();
            // Load the original PDF document
            originPdf.LoadFromFile("Sample.pdf");

            // Create a new PDF document
            PdfDocument newPdf = new PdfDocument();

            // Loop through the pages in the original PDF
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Add an A3-sized page to the new PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Create a PdfTextLayout instance
                PdfTextLayout layout = new PdfTextLayout();
                // Set text layout as one page to ensure the content will scale to fit page size
                layout.Layout = PdfLayoutType.OnePage;
                // Create a template from the original page
                PdfTemplate template = page.CreateTemplate();
                // Draw the templates onto the pages in the new PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Save the resized document
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

핵심 메서드:

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins): 지정된 크기와 여백으로 PdfDocument에 새 페이지를 추가합니다.
  • PdfPageBase.CreateTemplate(): 원본 페이지에서 내용(텍스트, 이미지, 도형 등)을 캡처합니다.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout): PdfTemplate의 내용을 위치 지정 및 레이아웃 규칙과 함께 새 PDF 페이지에 그립니다.

다음은 페이지 크기가 A3(11.69 x 16.54인치)인 결과 PDF 파일입니다.

C#으로 PDF 페이지 크기 변경

PDF 페이지 크기를 사용자 지정해야 하는 경우 다음을 참조하십시오. C#에서 PDF 페이지 크기를 사용자 지정 용지 크기로 변경


FAQ: 일반적인 PDF 크기 조정 질문

Q1: PDF 페이지 크기를 조정하면 텍스트나 이미지가 왜곡됩니까?

A: 올바르게 수행하면 내용이 비례적으로 확장되어야 합니다. 그러나 급격한 크기 변경(예: A4에서 A6)은 텍스트를 매우 작게 만들거나 이미지를 픽셀화할 수 있습니다. 항상 출력 파일을 확인하십시오. 비율을 유지하려면 "페이지에 맞춤" 또는 유사한 크기 조정 옵션을 사용하는 것이 중요합니다.

Q2: Microsoft Print to PDF의 무료 Mac 대안이 있습니까?

A: 예, Mac의 기본 미리보기 앱을 사용하십시오.

  1. 미리보기에서 PDF를 엽니다.
  2. 파일 > 인쇄”로 이동합니다.
  3. 용지 크기” 드롭다운을 클릭하고 목록에서 원하는 용지 크기를 선택합니다.
  4. “PDF”(왼쪽 하단)를 클릭하고 "PDF로 저장"을 선택하여 내보냅니다.

Q3: PDF 페이지를 일괄적으로 크기 조정하는 데 가장 좋은 방법은 무엇입니까?

A: 무료 온라인 도구는 종종 일괄 처리에 제한이 있습니다. Adobe Acrobat Pro에는 이 목적을 위한 기본 제공 일괄 작업이 있습니다. 대규모 자동화된 일괄 처리의 경우 Spire.PDF를 사용하는 프로그래밍 방식의 C# 방법이 가장 효율적이고 강력한 솔루션입니다.

Q4: 개발자로서 Spire.PDF를 무료로 사용할 수 있습니까?

A: Spire.PDF for .NET은 제한이 있는 무료 커뮤니티 에디션을 제공하며, 이는 평가 및 소규모 프로젝트에 적합합니다. 전체 기능을 테스트하려면 여기에서 30일 평가판 라이선스를 신청할 수 있습니다.


최종 생각

PDF 페이지 크기 조정은 일반 사용자를 위한 온라인 도구나 Adobe Acrobat을 사용하면 간단합니다. Windows를 사용하고 간단한 문서를 위한 신뢰할 수 있는 오프라인 옵션을 원한다면 기본 제공 “Microsoft Print to PDF” 기능이 완벽합니다. 자동화 또는 앱 통합을 위해 Spire.PDF for .NET은 강력한 C# 솔루션을 제공합니다. 어떤 도구를 선택하든 항상 최종 PDF를 확인하여 내용과 서식이 올바르게 유지되는지 확인하십시오. 이 안내서를 통해 이제 모든 PDF 페이지 크기 문제를 효율적으로 처리할 수 있습니다.


참조

Un guide illustrant les différentes méthodes pour modifier la taille de la page PDF

Avez-vous déjà téléchargé un PDF pour constater qu'il s'agit d'une taille non standard et peu pratique qui ne correspond pas à vos besoins ? Il s'agit peut-être d'un document au format affiche que vous devez imprimer en A4, ou d'un document juridique qui doit être converti au format Lettre pour une soumission. Changer la taille de la page PDF peut résoudre des problèmes tels que le contenu mal aligné, le gaspillage de papier ou une mauvaise lisibilité.

Dans ce guide, nous vous présenterons comment redimensionner les pages PDF, y compris des méthodes étape par étape pour les utilisateurs de tous les jours (aucune compétence technique requise) et une solution C# conviviale pour les développeurs afin d'automatiser les tâches en masse.


Formats de papier standard que vous devriez connaître

Lorsque vous modifiez la taille de votre PDF, vous utiliserez probablement l'une de ces normes courantes :

  • A4 (210 x 297 mm / 8,27" x 11,69") : La norme internationale, utilisée partout sauf en Amérique du Nord.
  • Lettre (8,5" x 11" / 216 x 279 mm) : La norme aux États-Unis et au Canada.
  • Légal (8,5" x 14" / 216 x 356 mm) : Souvent utilisé pour les contrats et les documents officiels.
  • A3 (297 x 420 mm / 11,69" x 16,54") : Deux fois la taille du A4, courant pour les diagrammes et les petites affiches.
  • Tabloïd/Ledger (11" x 17" / 279 x 432 mm) : Souvent utilisé pour les journaux ou les grandes présentations.

Méthode 1 : Utiliser des outils PDF en ligne gratuits

Pour les travaux rapides et ponctuels sans installer de logiciel, les outils en ligne gratuits sont excellents. Ils fonctionnent sur n'importe quel navigateur et prennent en charge les besoins de redimensionnement de base à modérés.

Outils populaires : Smallpdf, PDF2Go et Soda PDF.

Processus général pour modifier la taille de la page PDF en ligne :

  • Allez sur la page « Redimensionner le PDF » de l'outil (par exemple, l'outil Redimensionner le PDF de PDF2Go).
  • Téléchargez votre fichier PDF en le faisant glisser et en le déposant ou en le sélectionnant depuis votre ordinateur.
  • Sélectionnez une taille de page prédéfinie (A4, A3, Lettre, etc.) dans le menu déroulant ou entrez des dimensions personnalisées.
  • Cliquez sur le bouton « Démarrer » puis téléchargez le PDF redimensionné.

Modifier la taille de la page PDF à l'aide d'un outil en ligne gratuit

Remarque : Bien que pratiques, les outils de redimensionnement de PDF en ligne peuvent présenter des risques de confidentialité pour les documents sensibles, et les forfaits gratuits limitent généralement la taille des fichiers et le nombre de tâches.

Lisez aussi : Comment rogner des PDF gratuitement (3 méthodes faciles)


Méthode 2 : Utiliser Adobe Acrobat (Standard/Pro)

Pour un contrôle précis, en particulier avec des documents professionnels ou complexes, Adobe Acrobat (Pro ou Standard) est la norme de l'industrie.

Comment redimensionner les pages PDF avec Adobe Acrobat :

  • Ouvrez votre PDF dans Acrobat et allez dans « Fichier > Imprimer » (ou appuyez sur « Ctrl+P »).
  • Choisissez « Microsoft Print to PDF » comme imprimante.
  • Allez dans « Mise en page » et sélectionnez le format de papier souhaité (par exemple, Lettre, A4).
  • Dans la section « Dimensionnement et gestion des pages », choisissez « Ajuster » pour mettre le contenu à l'échelle de la nouvelle taille de page.
  • Cliquez sur « Imprimer » pour appliquer les modifications.

Redimensionner les pages PDF à l'aide de la boîte de dialogue d'impression dans Adobe Acrobat

Idéal pour : Les utilisateurs qui ont besoin d'une haute précision, d'un traitement par lots ou qui travaillent avec des documents sensibles ou professionnels.


Méthode 3 : Utiliser la fonctionnalité d'imprimante intégrée de Windows

Il s'agit d'une solution de contournement astucieuse disponible pour tous les utilisateurs de Windows 10 et 11. Elle utilise les paramètres de l'imprimante pour créer efficacement un nouveau PDF avec une taille différente.

Étapes pour redimensionner les pages PDF sous Windows :

  • Ouvrez votre fichier dans n'importe quel visualiseur PDF (comme Microsoft Edge intégré).
  • Appuyez sur « Ctrl + P » ou cliquez sur l'icône de l'imprimante.
  • Choisissez « Microsoft Print to PDF » comme imprimante et cliquez sur « Plus de paramètres ».
  • Recherchez un menu déroulant « Format du papier » et sélectionnez la taille souhaitée (par exemple, A4, Lettre).
  • Cochez « Ajuster à la zone d'impression » pour mettre le contenu à l'échelle de la nouvelle taille de manière appropriée.
  • Cliquez sur « Imprimer » pour enregistrer le nouveau PDF redimensionné sous un nom ou un emplacement différent.

Modifier la taille de la page PDF à l'aide de la boîte de dialogue d'impression de Windows

Quand utiliser cette méthode : Vous êtes un utilisateur de Windows 10/11 et souhaitez une solution gratuite et sans installation pour redimensionner des documents PDF simples.


Méthode 4 : Utiliser C# pour modifier la taille de la page PDF

Pour les développeurs, l'automatisation du redimensionnement des PDF (par exemple, dans les applications, les tâches par lots ou les flux de travail) permet de gagner du temps et de réduire les erreurs. Spire.PDF for .NET est une bibliothèque robuste qui vous permet d'ajuster la taille des pages PDF via C#.

Comment définir la taille de la page PDF en C# :

Le code ci-dessous crée un nouveau PDF avec des pages au format A3, puis met à l'échelle et copie le contenu du PDF original pour l'adapter aux nouvelles dimensions.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Créer une instance de PdfDocument
            PdfDocument originPdf = new PdfDocument();
            // Charger le document PDF original
            originPdf.LoadFromFile("Sample.pdf");

            // Créer un nouveau document PDF
            PdfDocument newPdf = new PdfDocument();

            // Parcourir les pages du PDF original
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Ajouter une page au format A3 au nouveau PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Créer une instance de PdfTextLayout
                PdfTextLayout layout = new PdfTextLayout();
                // Définir la mise en page du texte sur une seule page pour garantir que le contenu s'adaptera à la taille de la page
                layout.Layout = PdfLayoutType.OnePage;
                // Créer un modèle à partir de la page originale
                PdfTemplate template = page.CreateTemplate();
                // Dessiner les modèles sur les pages du nouveau PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Enregistrer le document redimensionné
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

Méthodes principales :

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins) : Ajoute une nouvelle page à un PdfDocument avec une taille et des marges spécifiées.
  • PdfPageBase.CreateTemplate() : Capture le contenu (texte, images, formes, etc.) de la page originale.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout) : Dessine le contenu d'un PdfTemplate sur la nouvelle page PDF, avec des règles de positionnement et de mise en page.

Voici le fichier PDF résultant avec une taille de page A3 (11,69 x 16,54 pouces) :

Modifier la taille de la page PDF avec C#

Si vous avez besoin de personnaliser la taille de la page PDF, reportez-vous à : Modifier la taille de la page PDF en une taille de papier personnalisée en C#


FAQ : Questions courantes sur le redimensionnement des PDF

Q1 : Le redimensionnement d'une page PDF déformera-t-il mon texte ou mes images ?

R : Lorsqu'il est effectué correctement, le contenu doit être mis à l'échelle proportionnellement. Cependant, des changements de taille drastiques (par exemple, de A4 à A6) peuvent rendre le texte très petit ou les images pixélisées. Vérifiez toujours le fichier de sortie. L'utilisation de l'option « Ajuster à la page » ou d'une option de mise à l'échelle similaire est cruciale pour maintenir les proportions.

Q2 : Existe-t-il une alternative gratuite sur Mac à Microsoft Print to PDF ?

R : Oui, utilisez l'application Aperçu par défaut de Mac :

  1. Ouvrez le PDF dans Aperçu.
  2. Allez dans « Fichier > Imprimer ».
  3. Cliquez sur le menu déroulant « Format du papier » et sélectionnez le format de papier souhaité dans la liste.
  4. Cliquez sur « PDF » (en bas à gauche) et choisissez « Enregistrer au format PDF » pour exporter.

Q3 : Quelle est la meilleure méthode pour redimensionner des pages PDF par lots ?

R : Les outils en ligne gratuits ont souvent des limitations sur le traitement par lots. Adobe Acrobat Pro dispose d'actions par lots intégrées à cet effet. Pour le traitement par lots automatisé à grande échelle, la méthode C# programmatique utilisant Spire.PDF est la solution la plus efficace et la plus puissante.

Q4 : En tant que développeur, Spire.PDF est-il gratuit ?

R : Spire.PDF for .NET propose une édition communautaire gratuite avec des limitations, ce qui est bien pour l'évaluation et les petits projets. Si vous souhaitez tester toutes les fonctionnalités, vous pouvez demander une licence d'essai de 30 jours ici.


Réflexions finales

L'ajustement de la taille de la page PDF est simple avec des outils en ligne ou Adobe Acrobat pour les utilisateurs généraux. Si vous êtes sous Windows et que vous souhaitez une option hors ligne fiable pour des documents simples, la fonctionnalité intégrée « Microsoft Print to PDF » est parfaite. Pour l'automatisation ou l'intégration d'applications, Spire.PDF for .NET offre une solution C# puissante. Quel que soit l'outil que vous choisissez, vérifiez toujours le PDF final pour vous assurer que le contenu et le formatage restent corrects. Avec ce guide, vous êtes maintenant équipé pour relever efficacement n'importe quel défi de taille de page PDF.


Voir aussi

Una guía que ilustra diferentes métodos para cambiar el tamaño de la página PDF

¿Alguna vez has descargado un PDF solo para descubrir que tiene un tamaño incómodo y no estándar que no se ajusta a tus necesidades? Tal vez sea un documento de tamaño póster que necesitas imprimir en A4, o un documento legal que debe convertirse a tamaño Carta para una presentación. Cambiar el tamaño de la página del PDF puede resolver problemas como contenido desalineado, desperdicio de papel o mala legibilidad.

En esta guía, presentaremos cómo redimensionar páginas PDF, incluyendo métodos paso a paso para usuarios cotidianos (no se requieren habilidades técnicas) y una solución en C# amigable para desarrolladores para automatizar tareas masivas.


Tamaños de Papel Estándar que Deberías Conocer

Al cambiar el tamaño de tu PDF, es probable que uses uno de estos estándares comunes:

  • A4 (210 x 297 mm / 8.27" x 11.69"): El estándar internacional, utilizado en todas partes excepto en América del Norte.
  • Carta (8.5" x 11" / 216 x 279 mm): El estándar en los Estados Unidos y Canadá.
  • Legal (8.5" x 14" / 216 x 356 mm): A menudo utilizado para contratos y documentos oficiales.
  • A3 (297 x 420 mm / 11.69" x 16.54"): El doble del tamaño de A4, común para diagramas y carteles pequeños.
  • Tabloide/Ledger (11" x 17" / 279 x 432 mm): A menudo utilizado para periódicos o presentaciones grandes.

Método 1: Usando Herramientas PDF Gratuitas en Línea

Para trabajos rápidos y únicos sin instalar software, las herramientas gratuitas en línea son excelentes. Funcionan en cualquier navegador y admiten necesidades de redimensionamiento de básicas a moderadas.

Herramientas Populares: Smallpdf, PDF2Go y Soda PDF.

Proceso general para cambiar el tamaño de la página PDF en línea:

  • Ve a la página “Redimensionar PDF” de la herramienta (p. ej., herramienta Redimensionar PDF de PDF2Go).
  • Sube tu archivo PDF arrastrándolo y soltándolo o seleccionándolo desde tu computadora.
  • Selecciona un tamaño de página preestablecido (A4, A3, Carta, etc.) del menú desplegable, o introduce dimensiones personalizadas.
  • Haz clic en el botón "**Iniciar**" y luego descarga el PDF redimensionado.

Cambiar el tamaño de la página PDF usando una herramienta gratuita en línea

Nota: Aunque son convenientes, las herramientas de redimensionamiento de PDF en línea pueden presentar riesgos de privacidad para documentos sensibles, y los planes gratuitos generalmente limitan el tamaño del archivo y el número de tareas.

También Leer: Cómo Recortar PDFs Gratis (3 Métodos Fáciles)


Método 2: Usando Adobe Acrobat (Standard/Pro)

Para un control preciso, especialmente con documentos profesionales o complejos, Adobe Acrobat (Pro o Standard) es el estándar de la industria.

Cómo redimensionar páginas PDF con Adobe Acrobat:

  • Abre tu PDF en Acrobat y ve a “Archivo > Imprimir” (o presiona “Ctrl+P”).
  • Elige "**Microsoft Print to PDF**" como tu impresora.
  • Ve a "**Configurar Página**" y selecciona el tamaño de papel deseado (p. ej., Carta, A4).
  • En la sección “**Tamaño y Manejo de Página**”, elige “**Ajustar**” para escalar el contenido al nuevo tamaño de página.
  • Haz clic en "**Imprimir**" para aplicar los cambios.

Redimensionar páginas PDF usando el diálogo de impresión en Adobe Acrobat

Ideal para: Usuarios que necesitan alta precisión, procesamiento por lotes o que trabajan con documentos sensibles o profesionales.


Método 3: Usando la Función de Impresora Incorporada de Windows

Este es un truco ingenioso disponible para todos los usuarios de Windows 10 y 11. Utiliza la configuración de la impresora para crear eficazmente un nuevo PDF con un tamaño diferente.

Pasos para redimensionar páginas PDF en Windows:

  • Abre tu archivo en cualquier visor de PDF (como el Microsoft Edge incorporado).
  • Presiona “Ctrl + P” o haz clic en el icono de la impresora.
  • Elige “Microsoft Print to PDF” como tu impresora y haz clic en "Más configuraciones".
  • Busca un menú desplegable de "**Tamaño de Papel**" y selecciona el tamaño deseado (p. ej., A4, Carta).
  • Marca "**Ajustar al área de impresión**” para escalar el contenido apropiadamente al nuevo tamaño.
  • Haz clic en “Imprimir” para guardar el nuevo PDF redimensionado con un nombre o ubicación diferente.

Cambiar el tamaño de la página PDF usando el diálogo de impresión de Windows

Cuándo Usar Este Método: Eres un usuario de Windows 10/11 y quieres una solución gratuita y sin instalación para redimensionar documentos PDF simples.


Método 4: Usando C# para Cambiar el Tamaño de Página del PDF

Para los desarrolladores, automatizar el redimensionamiento de PDF (p. ej., en aplicaciones, trabajos por lotes o flujos de trabajo) ahorra tiempo y reduce errores. Spire.PDF for .NET es una biblioteca robusta que te permite ajustar los tamaños de página de los PDF a través de C#.

Cómo establecer el tamaño de página del PDF en C#:

El código a continuación crea un nuevo PDF con páginas de tamaño A3, luego escala y copia el contenido del PDF original para que se ajuste a las nuevas dimensiones.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Crear una instancia de PdfDocument
            PdfDocument originPdf = new PdfDocument();
            // Cargar el documento PDF original
            originPdf.LoadFromFile("Sample.pdf");

            // Crear un nuevo documento PDF
            PdfDocument newPdf = new PdfDocument();

            // Recorrer las páginas del PDF original
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Añadir una página de tamaño A3 al nuevo PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Crear una instancia de PdfTextLayout
                PdfTextLayout layout = new PdfTextLayout();
                // Establecer el diseño del texto como una página para asegurar que el contenido se escale para ajustarse al tamaño de la página
                layout.Layout = PdfLayoutType.OnePage;
                // Crear una plantilla a partir de la página original
                PdfTemplate template = page.CreateTemplate();
                // Dibujar las plantillas en las páginas del nuevo PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Guardar el documento redimensionado
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

Métodos Principales:

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins): Añade una nueva página a un PdfDocument con un tamaño y márgenes especificados.
  • PdfPageBase.CreateTemplate(): Captura el contenido (texto, imágenes, formas, etc.) de la página original.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout): Dibuja el contenido de un PdfTemplate en la nueva página PDF, con reglas de posicionamiento y diseño.

Aquí está el archivo PDF resultante con un tamaño de página de A3 (11.69 x 16.54 pulgadas):

Cambiar el tamaño de la página PDF con C#

Si necesitas personalizar el tamaño de la página del PDF, consulta: Cambiar el Tamaño de Página del PDF a un Tamaño de Papel Personalizado en C#


Preguntas Frecuentes: Preguntas Comunes sobre el Redimensionamiento de PDF

P1: ¿Redimensionar una página PDF distorsionará mi texto o imágenes?

R: Cuando se hace correctamente, el contenido debería escalar proporcionalmente. Sin embargo, cambios drásticos de tamaño (p. ej., de A4 a A6) pueden hacer que el texto sea muy pequeño o que las imágenes se pixelen. Siempre revisa el archivo de salida. Usar la opción "Ajustar a la página" o una opción de escalado similar es crucial para mantener las proporciones.

P2: ¿Existe una alternativa gratuita para Mac a Microsoft Print to PDF?

R: Sí, usa la aplicación Vista Previa predeterminada de Mac:

  1. Abre el PDF en Vista Previa.
  2. Ve a “Archivo > Imprimir”.
  3. Haz clic en el menú desplegable “Tamaño de Papel” y selecciona el tamaño de papel deseado de la lista.
  4. Haz clic en “PDF” (abajo a la izquierda) y elige "**Guardar como PDF**" para exportar.

P3: ¿Qué método es mejor para redimensionar páginas PDF por lotes?

R: Las herramientas gratuitas en línea a menudo tienen limitaciones en el procesamiento por lotes. Adobe Acrobat Pro tiene acciones por lotes incorporadas para este propósito. Para el procesamiento por lotes automatizado a gran escala, el método programático en C# usando Spire.PDF es la solución más eficiente y potente.

P4: Como desarrollador, ¿es Spire.PDF de uso gratuito?

R: Spire.PDF for .NET ofrece una edición comunitaria gratuita con limitaciones, que es buena para evaluación y proyectos pequeños. Si quieres probar la funcionalidad completa, puedes solicitar una licencia de prueba de 30 días aquí.


Conclusiones Finales

Ajustar el tamaño de la página del PDF es sencillo con herramientas en línea o Adobe Acrobat para usuarios generales. Si estás en Windows y quieres una opción confiable y sin conexión para documentos simples, la función incorporada “Microsoft Print to PDF” es perfecta. Para la automatización o integración de aplicaciones, Spire.PDF for .NET ofrece una potente solución en C#. No importa qué herramienta elijas, siempre revisa el PDF final para asegurarte de que el contenido y el formato se mantengan correctos. Con esta guía, ahora estás equipado para manejar cualquier desafío de tamaño de página PDF de manera eficiente.


Ver También

Eine Anleitung, die verschiedene Methoden zur Änderung der PDF-Seitengröße veranschaulicht

Haben Sie schon einmal ein PDF heruntergeladen und festgestellt, dass es eine unpraktische, nicht standardmäßige Größe hat, die nicht Ihren Anforderungen entspricht? Vielleicht handelt es sich um ein Dokument im Posterformat, das Sie auf A4 drucken müssen, oder um ein juristisches Dokument, das für eine Einreichung in das Letter-Format konvertiert werden muss. Das Ändern der PDF-Seitengröße kann Probleme wie falsch ausgerichtete Inhalte, Papierverschwendung oder schlechte Lesbarkeit lösen.

In diesem Leitfaden stellen wir vor, wie Sie die Größe von PDF-Seiten ändern können, einschließlich schrittweiser Methoden für alltägliche Benutzer (keine technischen Kenntnisse erforderlich) und einer entwicklerfreundlichen C#-Lösung zur Automatisierung von Massenaufgaben.


Standard-Papierformate, die Sie kennen sollten

Wenn Sie die Größe Ihres PDFs ändern, werden Sie wahrscheinlich einen dieser gängigen Standards verwenden:

  • A4 (210 x 297 mm / 8,27" x 11,69"): Der internationale Standard, der überall außer in Nordamerika verwendet wird.
  • Letter (8,5" x 11" / 216 x 279 mm): Der Standard in den Vereinigten Staaten und Kanada.
  • Legal (8,5" x 14" / 216 x 356 mm): Wird häufig für Verträge und offizielle Dokumente verwendet.
  • A3 (297 x 420 mm / 11,69" x 16,54"): Doppelt so groß wie A4, üblich für Diagramme und kleine Poster.
  • Tabloid/Ledger (11" x 17" / 279 x 432 mm): Wird häufig für Zeitungen oder große Präsentationen verwendet.

Methode 1: Verwendung kostenloser Online-PDF-Tools

Für schnelle, einmalige Aufgaben ohne Softwareinstallation sind kostenlose Online-Tools hervorragend geeignet. Sie funktionieren in jedem Browser und unterstützen grundlegende bis moderate Anforderungen an die Größenänderung.

Beliebte Tools: Smallpdf, PDF2Go und Soda PDF.

Allgemeiner Prozess zur Online-Änderung der PDF-Seitengröße:

  • Gehen Sie zur Seite „PDF verkleinern“ des Tools (z. B. PDF2Go PDF verkleinern Tool).
  • Laden Sie Ihre PDF-Datei hoch, indem Sie sie per Drag-and-Drop ziehen oder von Ihrem Computer auswählen.
  • Wählen Sie eine voreingestellte Seitengröße (A4, A3, Letter usw.) aus dem Dropdown-Menü oder geben Sie benutzerdefinierte Abmessungen ein.
  • Klicken Sie auf die Schaltfläche „Start“ und laden Sie dann das in der Größe geänderte PDF herunter.

Ändern Sie die PDF-Seitengröße mit einem kostenlosen Online-Tool

Hinweis: Obwohl praktisch, können Online-Tools zur Größenänderung von PDFs Datenschutzrisiken für sensible Dokumente darstellen, und kostenlose Pläne begrenzen in der Regel die Dateigröße und die Anzahl der Aufgaben.

Lesen Sie auch: Wie man PDFs kostenlos zuschneidet (3 einfache Methoden)


Methode 2: Verwendung von Adobe Acrobat (Standard/Pro)

Für präzise Kontrolle, insbesondere bei professionellen oder komplexen Dokumenten, ist Adobe Acrobat (Pro oder Standard) der Industriestandard.

So ändern Sie die Größe von PDF-Seiten mit Adobe Acrobat:

  • Öffnen Sie Ihr PDF in Acrobat und gehen Sie zu „Datei > Drucken“ (oder drücken Sie „Strg+P“).
  • Wählen Sie „Microsoft Print to PDF“ als Ihren Drucker.
  • Gehen Sie zu „Seite einrichten“ und wählen Sie Ihr gewünschtes Papierformat (z. B. Letter, A4).
  • Wählen Sie im Abschnitt „Seitengröße & -handhabung“ die Option „Anpassen“, um den Inhalt an die neue Seitengröße anzupassen.
  • Klicken Sie auf „Drucken“, um die Änderungen zu übernehmen.

Größenänderung von PDF-Seiten über den Druckdialog in Adobe Acrobat

Am besten für: Benutzer, die hohe Präzision, Stapelverarbeitung benötigen oder mit sensiblen oder professionellen Dokumenten arbeiten.


Methode 3: Verwendung der integrierten Druckerfunktion von Windows

Dies ist eine clevere Umgehungslösung, die allen Benutzern von Windows 10 und 11 zur Verfügung steht. Sie verwendet die Druckereinstellungen, um effektiv ein neues PDF mit einer anderen Größe zu erstellen.

Schritte zur Größenänderung von PDF-Seiten in Windows:

  • Öffnen Sie Ihre Datei in einem beliebigen PDF-Viewer (wie dem integrierten Microsoft Edge).
  • Drücken Sie „Strg + P“ oder klicken Sie auf das Druckersymbol.
  • Wählen Sie „Microsoft Print to PDF“ als Ihren Drucker und klicken Sie auf „Weitere Einstellungen“.
  • Suchen Sie nach einem Dropdown-Menü „Papierformat“ und wählen Sie Ihre gewünschte Größe (z. B. A4, Letter).
  • Aktivieren Sie „An druckbaren Bereich anpassen“, um den Inhalt entsprechend der neuen Größe zu skalieren.
  • Klicken Sie auf „Drucken“, um das neue, in der Größe geänderte PDF unter einem anderen Namen oder an einem anderen Ort zu speichern.

Ändern der PDF-Seitengröße über den Windows-Druckdialog

Wann diese Methode verwenden: Sie sind ein Windows 10/11-Benutzer und möchten eine kostenlose, installationsfreie Lösung zur Größenänderung einfacher PDF-Dokumente.


Methode 4: Ändern der PDF-Seitengröße mit C#

Für Entwickler spart die Automatisierung der PDF-Größenänderung (z. B. in Apps, Stapelverarbeitungsaufträgen oder Workflows) Zeit und reduziert Fehler. Spire.PDF for .NET ist eine robuste Bibliothek, mit der Sie die PDF-Seitengrößen über C# anpassen können.

So legen Sie die PDF-Seitengröße in C# fest:

Der folgende Code erstellt ein neues PDF mit Seiten im A3-Format, skaliert dann den Inhalt aus dem ursprünglichen PDF und kopiert ihn, um ihn an die neuen Abmessungen anzupassen.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument instance
            PdfDocument originPdf = new PdfDocument();
            // Load the original PDF document
            originPdf.LoadFromFile("Sample.pdf");

            // Create a new PDF document
            PdfDocument newPdf = new PdfDocument();

            // Loop through the pages in the original PDF
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Add an A3-sized page to the new PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Create a PdfTextLayout instance
                PdfTextLayout layout = new PdfTextLayout();
                // Set text layout as one page to ensure the content will scale to fit page size
                layout.Layout = PdfLayoutType.OnePage;
                // Create a template from the original page
                PdfTemplate template = page.CreateTemplate();
                // Draw the templates onto the pages in the new PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Save the resized document
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

Kernmethoden:

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins): Fügt einem PdfDocument eine neue Seite mit einer angegebenen Größe und Rändern hinzu.
  • PdfPageBase.CreateTemplate(): Erfasst Inhalte (Text, Bilder, Formen usw.) von der ursprünglichen Seite.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout): Zeichnet den Inhalt eines PdfTemplate auf die neue PDF-Seite, mit Positionierungs- und Layoutregeln.

Hier ist die Ergebnis-PDF-Datei mit einer Seitengröße von A3 (11,69 x 16,54 Zoll):

PDF-Seitengröße mit C# ändern

Wenn Sie die PDF-Seitengröße anpassen müssen, lesen Sie hier weiter: PDF-Seitengröße auf eine benutzerdefinierte Papiergröße in C# ändern


FAQ: Häufig gestellte Fragen zur Größenänderung von PDFs

F1: Wird das Ändern der Größe einer PDF-Seite meinen Text oder meine Bilder verzerren?

A: Wenn es richtig gemacht wird, sollte der Inhalt proportional skaliert werden. Drastische Größenänderungen (z. B. von A4 auf A6) können jedoch dazu führen, dass Text sehr klein oder Bilder verpixelt werden. Überprüfen Sie immer die Ausgabedatei. Die Verwendung der Option „An Seite anpassen“ oder einer ähnlichen Skalierungsoption ist entscheidend, um die Proportionen beizubehalten.

F2: Gibt es eine kostenlose Mac-Alternative zu Microsoft Print to PDF?

A: Ja, verwenden Sie die Standard-Vorschau-App von Mac:

  1. Öffnen Sie das PDF in der Vorschau.
  2. Gehen Sie zu „Datei > Drucken“.
  3. Klicken Sie auf das Dropdown-Menü „Papierformat“ und wählen Sie Ihr gewünschtes Papierformat aus der Liste.
  4. Klicken Sie auf „PDF“ (unten links) und wählen Sie „Als PDF speichern“, um zu exportieren.

F3: Welche Methode eignet sich am besten für die Stapelverarbeitung zur Größenänderung von PDF-Seiten?

A: Kostenlose Online-Tools haben oft Einschränkungen bei der Stapelverarbeitung. Adobe Acrobat Pro verfügt über integrierte Stapelaktionen für diesen Zweck. Für die groß angelegte, automatisierte Stapelverarbeitung ist die programmatische C#-Methode mit Spire.PDF die effizienteste und leistungsstärkste Lösung.

F4: Ist Spire.PDF für Entwickler kostenlos?

A: Spire.PDF for .NET bietet eine kostenlose Community-Edition mit Einschränkungen, die sich gut für die Evaluierung und kleine Projekte eignet. Wenn Sie die volle Funktionalität testen möchten, können Sie hier eine 30-tägige Testlizenz beantragen.


Abschließende Gedanken

Das Anpassen der PDF-Seitengröße ist mit Online-Tools oder Adobe Acrobat für allgemeine Benutzer unkompliziert. Wenn Sie unter Windows arbeiten und eine zuverlässige Offline-Option für einfache Dokumente wünschen, ist die integrierte Funktion „Microsoft Print to PDF“ perfekt. Für die Automatisierung oder App-Integration bietet Spire.PDF for .NET eine leistungsstarke C#-Lösung. Egal für welches Tool Sie sich entscheiden, überprüfen Sie immer das endgültige PDF, um sicherzustellen, dass Inhalt und Formatierung korrekt bleiben. Mit diesem Leitfaden sind Sie nun gerüstet, um jede Herausforderung bei der PDF-Seitengröße effizient zu bewältigen.


Siehe auch

Руководство, иллюстрирующее различные способы изменения размера страницы PDF

Вы когда-нибудь скачивали PDF-файл и обнаруживали, что он имеет неудобный, нестандартный размер, который не соответствует вашим потребностям? Возможно, это документ плакатного размера, который вам нужно распечатать на A4, или юридический документ, который необходимо преобразовать в размер Letter для подачи. Изменение размера страницы PDF может решить такие проблемы, как смещение содержимого, ненужный расход бумаги или плохая читаемость.

В этом руководстве мы расскажем, как изменять размер страниц PDF, включая пошаговые методы для обычных пользователей (технические навыки не требуются) и удобное для разработчиков решение на C# для автоматизации массовых задач.


Стандартные размеры бумаги, которые вы должны знать

При изменении размера PDF вы, скорее всего, будете использовать один из этих распространенных стандартов:

  • A4 (210 x 297 мм / 8,27" x 11,69"): Международный стандарт, используемый везде, кроме Северной Америки.
  • Letter (8,5" x 11" / 216 x 279 мм): Стандарт в США и Канаде.
  • Legal (8,5" x 14" / 216 x 356 мм): Часто используется для контрактов и официальных документов.
  • A3 (297 x 420 мм / 11,69" x 16,54"): Вдвое больше формата А4, часто используется для диаграмм и небольших плакатов.
  • Tabloid/Ledger (11" x 17" / 279 x 432 мм): Часто используется для газет или больших презентаций.

Способ 1: Использование бесплатных онлайн-инструментов для PDF

Для быстрой разовой работы без установки программного обеспечения отлично подходят бесплатные онлайн-инструменты. Они работают в любом браузере и поддерживают базовые и умеренные потребности в изменении размера.

Популярные инструменты: Smallpdf, PDF2Go и Soda PDF.

Общий процесс изменения размера страницы PDF онлайн:

  • Перейдите на страницу инструмента «Изменить размер PDF» (например, инструмент PDF2Go Resize PDF).
  • Загрузите свой PDF-файл, перетащив его или выбрав на своем компьютере.
  • Выберите предустановленный размер страницы (A4, A3, Letter и т. д.) из выпадающего меню или введите пользовательские размеры.
  • Нажмите кнопку «Начать» , а затем загрузите измененный PDF-файл.

Изменить размер страницы PDF с помощью бесплатного онлайн-инструмента

Примечание: Несмотря на удобство, онлайн-инструменты для изменения размера PDF могут представлять угрозу конфиденциальности для конфиденциальных документов, а бесплатные планы обычно ограничивают размер файла и количество задач.

Читайте также: Как бесплатно обрезать PDF-файлы (3 простых способа)


Способ 2: Использование Adobe Acrobat (Standard/Pro)

Для точного контроля, особенно при работе с профессиональными или сложными документами, Adobe Acrobat (Pro или Standard) является отраслевым стандартом.

Как изменить размер страниц PDF с помощью Adobe Acrobat:

  • Откройте PDF-файл в Acrobat и перейдите в «Файл > Печать» (или нажмите «Ctrl+P»).
  • Выберите «Microsoft Print to PDF» в качестве принтера.
  • Перейдите в «Настройка страницы» и выберите желаемый размер бумаги (например, Letter, A4).
  • В разделе «Размер и обработка страницы» выберите «По размеру», чтобы масштабировать содержимое до нового размера страницы.
  • Нажмите «Печать», чтобы применить изменения.

Изменение размера страниц PDF с помощью диалогового окна печати в Adobe Acrobat

Лучше всего подходит для: пользователей, которым требуется высокая точность, пакетная обработка или которые работают с конфиденциальными или профессиональными документами.


Способ 3: Использование встроенной функции принтера Windows

Это хитрое обходное решение, доступное всем пользователям Windows 10 и 11. Оно использует настройки принтера для эффективного создания нового PDF-файла другого размера.

Шаги по изменению размера страниц PDF в Windows:

  • Откройте файл в любом средстве просмотра PDF (например, во встроенном Microsoft Edge).
  • Нажмите «Ctrl + P» или щелкните значок принтера.
  • Выберите «Microsoft Print to PDF» в качестве принтера и нажмите «Дополнительные настройки».
  • Найдите раскрывающийся список «Размер бумаги» и выберите желаемый размер (например, A4, Letter).
  • Установите флажок «По размеру области печати», чтобы соответствующим образом масштабировать содержимое до нового размера.
  • Нажмите «Печать», чтобы сохранить новый PDF-файл с измененным размером под другим именем или в другом месте.

Изменение размера страницы PDF с помощью диалогового окна печати Windows

Когда использовать этот метод: вы являетесь пользователем Windows 10/11 и хотите бесплатное решение без установки для изменения размера простых PDF-документов.


Способ 4: Использование C# для изменения размера страницы PDF

Для разработчиков автоматизация изменения размера PDF (например, в приложениях, пакетных заданиях или рабочих процессах) экономит время и уменьшает количество ошибок. Spire.PDF for .NET — это надежная библиотека, которая позволяет настраивать размеры страниц PDF с помощью C#.

Как установить размер страницы PDF в C#:

Приведенный ниже код создает новый PDF-файл со страницами размера A3, а затем масштабирует и копирует содержимое из исходного PDF-файла в соответствии с новыми размерами.

using Spire.Pdf;
using Spire.Pdf.Graphics;
using System.Drawing;

namespace ChangePDFSize
{
    class Program
    {
        static void Main(string[] args)
        {
            // Create a PdfDocument instance
            PdfDocument originPdf = new PdfDocument();
            // Load the original PDF document
            originPdf.LoadFromFile("Sample.pdf");

            // Create a new PDF document
            PdfDocument newPdf = new PdfDocument();

            // Loop through the pages in the original PDF
            foreach(PdfPageBase page in originPdf.Pages)
            {
                // Add an A3-sized page to the new PDF
                PdfPageBase newPage = newPdf.Pages.Add(PdfPageSize.A3, new PdfMargins(0));
                // Create a PdfTextLayout instance
                PdfTextLayout layout = new PdfTextLayout();
                // Set text layout as one page to ensure the content will scale to fit page size
                layout.Layout = PdfLayoutType.OnePage;
                // Create a template from the original page
                PdfTemplate template = page.CreateTemplate();
                // Draw the templates onto the pages in the new PDF
                template.Draw(newPage, new PointF(0, 0), layout);
            }

            // Save the resized document
            newPdf.SaveToFile("ChangePageSizeToA3.pdf");
        }
    }
}

Основные методы:

  • PdfDocument.Pages.Add(PdfPageSize size, PdfMargins margins): добавляет новую страницу в PdfDocument с указанным размером и полями.
  • PdfPageBase.CreateTemplate(): захватывает содержимое (текст, изображения, фигуры и т. д.) с исходной страницы.
  • PdfTemplate.Draw(PdfPageBase targetPage, PointF location, PdfTextLayout layout): рисует содержимое PdfTemplate на новой странице PDF с правилами позиционирования и макета.

Вот результирующий PDF-файл с размером страницы A3 (11,69 x 16,54 дюйма):

Изменить размер страницы PDF с помощью C#

Если вам нужно настроить размер страницы PDF, обратитесь к: Изменение размера страницы PDF на пользовательский размер бумаги в C#


FAQ: Часто задаваемые вопросы об изменении размера PDF

В1: Исказит ли изменение размера страницы PDF мой текст или изображения?

О: При правильном выполнении содержимое должно масштабироваться пропорционально. Однако резкие изменения размера (например, с A4 до A6) могут сделать текст очень маленьким или пикселизировать изображения. Всегда проверяйте выходной файл. Использование опции «По размеру страницы» или аналогичной опции масштабирования имеет решающее значение для сохранения пропорций.

В2: Существует ли бесплатная альтернатива Microsoft Print to PDF для Mac?

О: Да, используйте стандартное приложение Preview для Mac:

  1. Откройте PDF в Preview.
  2. Перейдите в «Файл > Печать».
  3. Щелкните раскрывающийся список «Размер бумаги» и выберите нужный размер бумаги из списка.
  4. Нажмите «PDF» (внизу слева) и выберите «Сохранить как PDF», чтобы экспортировать.

В3: Какой метод лучше всего подходит для пакетного изменения размера страниц PDF?

О: Бесплатные онлайн-инструменты часто имеют ограничения на пакетную обработку. В Adobe Acrobat Pro есть встроенные пакетные действия для этой цели. Для крупномасштабной автоматизированной пакетной обработки программный метод на C# с использованием Spire.PDF является наиболее эффективным и мощным решением.

В4: Является ли Spire.PDF бесплатным для разработчиков?

О: Spire.PDF for .NET предлагает бесплатную версию для сообщества с ограничениями, которая подходит для оценки и небольших проектов. Если вы хотите протестировать полную функциональность, вы можете подать заявку на 30-дневную пробную лицензию здесь.


Заключительные мысли

Изменение размера страницы PDF — простая задача для обычных пользователей с помощью онлайн-инструментов или Adobe Acrobat. Если вы работаете в Windows и хотите надежный автономный вариант для простых документов, идеально подойдет встроенная функция «Microsoft Print to PDF». Для автоматизации или интеграции с приложениями Spire.PDF for .NET предлагает мощное решение на C#. Независимо от того, какой инструмент вы выберете, всегда проверяйте окончательный PDF-файл, чтобы убедиться, что содержимое и форматирование остались правильными. С этим руководством вы теперь готовы эффективно справиться с любой задачей по изменению размера страницы PDF.


Смотрите также

Learn how to read or parse HTML in Java

HTML parsing is a critical task in Java development, enabling developers to extract structured data, analyze content, and interact with web-based information. Whether you’re building a web scraper, validating HTML content, or extracting text and attributes from web pages, having a reliable tool simplifies the process. In this guide, we’ll explore how to parse HTML in Java using Spire.Doc for Java - a powerful library that combines robust HTML parsing with seamless document processing capabilities.


Why Use Spire.Doc for Java for HTML Parsing

While there are multiple Java libraries for HTML parsing (e.g., Jsoup), Spire.Doc stands out for its seamless integration with document processing and low-code workflow, which is critical for developers prioritizing efficiency. Here’s why it’s ideal for Java HTML parsing tasks:

  • Intuitive Object Model: Converts HTML into a navigable document structure (e.g., Section, Paragraph, Table), eliminating the need to manually parse raw HTML tags.
  • Comprehensive Data Extraction: Easily retrieve text, attributes, table rows/cells, and even styles (e.g., headings) without extra dependencies.
  • Low-Code Workflow: Minimal code is required to load HTML content and process it—reducing development time for common tasks.
  • Lightweight Integration: Simple to add to Java projects via Maven/Gradle, with minimal dependencies.

Environment Setup & Installation

To start reading HTML in Java, ensure your environment meets these requirements:

  • Java Development Kit (JDK): Version 8 or higher (JDK 11+ recommended for HttpClient support in URL parsing).
  • Spire.Doc for Java Library: Latest version (integrated via Maven or manual download).
  • HTML Source: A sample HTML string, local file, or URL (for testing extraction).

Install Spire.Doc for Java

Maven Setup: Add the Spire.Doc repository and dependency to your project’s pom.xml file. This automatically downloads the library and its dependencies:

<repositories>
    <repository>
        <id>com.e-iceblue</id>
        <name>e-iceblue</name>
        <url>https://repo.e-iceblue.com/nexus/content/groups/public/</url>
    </repository>
</repositories>
<dependencies>
    <dependency>
        <groupId>e-iceblue</groupId>
        <artifactId>spire.doc</artifactId>
        <version>14.2.4</version>
    </dependency>
</dependencies>

For manual installation, download the JAR from the official website and add it to your project.

Get a Temporary License (Optional)

By default, Spire.Doc adds an evaluation watermark to output. To remove it and unlock full features, you can request a free 30-day trial license.


Core Guide: Parsing HTML to Extract Elements in Java

Spire.Doc parses HTML into a structured object model, where elements like paragraphs, tables, and fields are accessible as Java objects. Below are practical examples to extract key HTML components.

1. Extract Text from HTML​ in Java

Extracting text (without HTML tags or formatting) is essential for scenarios like content indexing or data analysis. This example parses an HTML string and extracts text from all paragraphs.

Java Code: Extract Text from an HTML String

import com.spire.doc.*;
import com.spire.doc.documents.*;

public class ExtractTextFromHtml {
    public static void main(String[] args) {
        // Define HTML content to parse
        String htmlContent = "<html>" +
                "<body>" +
                "<h1>Introduction to HTML Parsing</h1>" +
                "<p>Spire.Doc for Java simplifies extracting text from HTML.</p>" +
                "<ul>" +
                "<li>Extract headings</li>" +
                "<li>Extract paragraphs</li>" +
                "<li>Extract list items</li>" +
                "</ul>" +
                "</body>" +
                "</html>";

        // Create a Document object to hold parsed HTML
        Document doc = new Document();
        // Parse the HTML string into the document
        doc.addSection().addParagraph().appendHTML(htmlContent);

        // Extract text from all paragraphs
        StringBuilder extractedText = new StringBuilder();
        for (Section section : (Iterable<Section>) doc.getSections()) {
            for (Paragraph paragraph : (Iterable<Paragraph>) section.getParagraphs()) {
                extractedText.append(paragraph.getText()).append("\n");
            }
        }

        // Print or process the extracted text
        System.out.println("Extracted Text:\n" + extractedText);
    }
}

Output:

Parse an HTML string using Java

2. Extract Table Data from HTML​ in Java

HTML tables store structured data (e.g., product lists, reports). Spire.Doc parses <table> tags into Table objects, making it easy to extract rows and columns.

Java Code: Extract HTML Table Rows & Cells

import com.spire.doc.*;
import com.spire.doc.documents.*;

public class ExtractTableFromHtml {
    public static void main(String[] args) {
        // HTML content with a table
        String htmlWithTable = "<html>" +
                "<body>" +
                "<table border='1'>" +
                "<tr><th>ID</th><th>Name</th><th>Price</th></tr>" +
                "<tr><td>001</td><td>Laptop</td><td>$999</td></tr>" +
                "<tr><td>002</td><td>Phone</td><td>$699</td></tr>" +
                "</table>" +
                "</body>" +
                "</html>";

        // Parse HTML into Document
        Document doc = new Document();
        doc.addSection().addParagraph().appendHTML(htmlWithTable);

        // Extract table data
        for (Section section : (Iterable<Section>) doc.getSections()) {
            // Iterate through all objects in the section's body
            for (Object obj : section.getBody().getChildObjects()) {
                if (obj instanceof Table) { // Check if the object is a table
                    Table table = (Table) obj;
                    System.out.println("Table Data:");
                    // Loop through rows
                    for (TableRow row : (Iterable<TableRow>) table.getRows()) {
                        // Loop through cells in the row
                        for (TableCell cell : (Iterable<TableCell>) row.getCells()) {
                            // Extract text from each cell's paragraphs
                            for (Paragraph para : (Iterable<Paragraph>) cell.getParagraphs()) {
                                System.out.print(para.getText() + "\t");
                            }
                        }
                        System.out.println(); // New line after each row
                    }
                }
            }
        }
    }
}

Output:

Parse HTML table data using Java

After parsing the HTML string into a Word document via the appendHTML() method, you can leverage Spire.Doc’s APIs to extract hyperlinks as well.


Advanced Scenarios: Parse HTML Files & URLs in Java

Spire.Doc for Java also offers flexibility to parse local HTML files and web URLs, making it versatile for real-world applications.

1. Read an HTML File​ in Java

To parse a local HTML file using Spire.Doc for Java, simply load it via the loadFromFile(String filename, FileFormat.Html) method​ for processing.

Java Code: Read & Parse Local HTML Files

import com.spire.doc.*;
import com.spire.doc.documents.*;

public class ParseHtmlFile {
    public static void main(String[] args) {
        // Create a Document object
        Document doc = new Document();
        // Load an HTML file
        doc.loadFromFile("input.html", FileFormat.Html);

        // Extract and print text
        StringBuilder text = new StringBuilder();
        for (Section section : (Iterable<Section>) doc.getSections()) {
            for (Paragraph para : (Iterable<Paragraph>) section.getParagraphs()) {
                text.append(para.getText()).append("\n");
            }
        }
        System.out.println("Text from HTML File:\n" + text);
    }
}

The example extracts text content from the loaded HTML file. If you need to extract the paragraph style (e.g., "Heading1", "Normal") simultaneously, use the Paragraph.getStyleName() method.

Output:

Read an HTML file using Java

You may also need: Convert HTML to Word in Java

2. Parse a URL​ in Java

For real-world web scraping, you'll need to parse HTML from live web pages. Spire.Doc can work with Java’s built-in HttpClient (JDK 11+) to fetch HTML content from URLs, then parse it.

Java Code: Fetch & Parse a Web URL

import com.spire.doc.*;
import com.spire.doc.documents.*;
import java.net.URI;
import java.net.http.HttpClient;
import java.net.http.HttpRequest;
import java.net.http.HttpResponse;
import java.time.Duration;

public class ParseHtmlFromUrl {
    // Reusable HttpClient (configures timeout to avoid hanging)
    private static final HttpClient httpClient = HttpClient.newBuilder()
            .connectTimeout(Duration.ofSeconds(10))
            .build();

    public static void main(String[] args) {
        String url = "https://www.e-iceblue.com/privacypolicy.html";

        try {
            // Fetch HTML content from the URL
            System.out.println("Fetching from: " + url);
            String html = fetchHtml(url);

            // Parse HTML with Spire.Doc
            Document doc = new Document();
            Section section = doc.addSection();
            section.addParagraph().appendHTML(html);

            System.out.println("--- Headings ---");

            // Extract headings
            for (Paragraph para : (Iterable<Paragraph>) section.getParagraphs()) {
                // Check if the paragraph style is a heading (e.g., "Heading1", "Heading2")

                if (para.getStyleName() != null && para.getStyleName().startsWith("Heading")) {
                    System.out.println(para.getText());
                }
            }

        } catch (Exception e) {
            System.err.println("Error: " + e.getMessage());
        }
    }

    // Helper method: Fetches HTML content from a given URL
    private static String fetchHtml(String url) throws Exception {
        // Create HTTP request with User-Agent header (to avoid blocks)
        HttpRequest request = HttpRequest.newBuilder()
                .uri(URI.create(url))
                .header("User-Agent", "Mozilla/5.0")
                .timeout(Duration.ofSeconds(10))
                .GET()
                .build();
        // Send request and get response
        HttpResponse<String> response = httpClient.send(request, HttpResponse.BodyHandlers.ofString());

        // Check if the request succeeded (HTTP 200 = OK)
        if (response.statusCode() != 200) {
            throw new Exception("HTTP error: " + response.statusCode());
        }

        return response.body(); // Return the raw HTML content
    }
}

Key Steps:

  • HTTP Fetching: Uses HttpClient to fetch HTML from the URL, with a User-Agent header to mimic a browser (avoids being blocked).
  • HTML Parsing: Creates a Document, adds a Section and Paragraph, then uses appendHTML() to load the fetched HTML.
  • Content Extraction: Extracts headings by checking if paragraph styles start with "Heading".

Output:

Parse HTML from a web URL using Java


Conclusion​

Parsing HTML in Java is simplified with the Spire.Doc for Java library. Using it, you can extract text, tables, and data from HTML strings, local files, or URLs with minimal code—no need to manually handle raw HTML tags or manage heavy dependencies.

Whether you’re building a web scraper, analyzing web content, or converting HTML to other formats (e.g., HTML to PDF), Spire.Doc streamlines the workflow. By following the step-by-step examples in this guide, you’ll be able to integrate robust HTML parsing into your Java projects to unlock actionable insights from HTML content.


FAQs About Parsing HTML

Q1: Which library is best for parsing HTML in Java?

A: It depends on your needs:

  • Use Spire.Doc if you need to extract text/tables and integrate with document processing (e.g., convert HTML to PDF).
  • Use Jsoup if you only need basic HTML parsing (but it requires more code for table/text extraction).

Q2: How does Spire.Doc handle malformed or poorly structured HTML?

A: Spire.Doc for Java provides a dedicated approach using the loadFromFile method with XHTMLValidationType.None parameter. This configuration disables strict XHTML validation, allowing the parser to handle non-compliant HTML structures gracefully.

// Load and parse the malformed HTML file
// Parameters: file path, file format (HTML), validation type (None)
doc.loadFromFile("input.html", FileFormat.Html, XHTMLValidationType.None);

However, severely malformed HTML may still cause parsing issues.

Q3: Can I modify parsed HTML content and save it back as HTML?

A: Yes. Spire.Doc lets you manipulate parsed content (e.g., edit paragraph text, delete table rows, or add new elements) and then save the modified document back as HTML:

// After parsing HTML into a Document object:
Section section = doc.getSections().get(0);
Paragraph firstPara = section.getParagraphs().get(0);
firstPara.setText("Updated heading!"); // Modify text

// Save back as HTML
doc.saveToFile("modified.html", FileFormat.Html);

Q4: Is an internet connection required to parse HTML with Spire.Doc?

A: No, unless you’re loading HTML directly from a URL. Spire.Doc can parse HTML from local files or strings without an internet connection. If fetching HTML from a URL, you’ll need an internet connection to retrieve the content first, but parsing itself works offline.

cover page of saving excel table as an image

Microsoft Excel è uno degli strumenti più potenti per gestire dati, creare report e presentare approfondimenti visivamente. Tuttavia, quando si tratta di condividere le tabelle di Excel, come grafici, riepiloghi finanziari o dati formattati, potresti volerle salvare come immagini. Ciò consente di inserirle in presentazioni, siti web o e-mail senza perdere la formattazione o esporre le formule.

In questo articolo, esploreremo come salvare una tabella di Excel come immagine utilizzando direttamente Microsoft, strumenti online e metodi di programmazione in C#. Che tu sia un utente occasionale alla ricerca di una rapida conversione online o uno sviluppatore che ha bisogno di automatizzare il processo, qui troverai una soluzione affidabile.

Ecco un breve elenco per aiutarti a scegliere i metodi migliori. Puoi fare clic per passare ai tutorial corrispondenti:

Metodo 1. Semplicemente Copia e Incolla per Inviare Tabelle di Excel in Formato Immagine

Iniziamo con il modo più semplice e diretto per inviare la tua tabella di Excel come immagine. Non sono necessari strumenti aggiuntivi o passaggi complessi: basta la funzione di copia e incolla integrata di Excel.

Basta seguire i passaggi seguenti:

Passaggio 1. Apri il tuo file Excel con Microsoft e seleziona le tabelle specifiche che desideri condividere.

Passaggio 2. Trova la sezione "Home" dalla barra multifunzione. Vedrai un menu a discesa per "Copia". Fai clic sulla freccia verso il basso e fai clic su "Copia come immagine..." per continuare.

screenshot of saving excel tables as image format using ms copy as picture feature

Passaggio 3. Quindi, puoi condividere la tabella in formato immagine. Apri la finestra di chat con cui desideri condividere e incolla direttamente con Ctrl + V.

Metodo 2. Salvare una Tabella di Excel come Immagine Online con CloudxDocs

Se stai cercando un modo rapido e semplice per trasformare i tuoi fogli di calcolo Excel in formato immagine, la conversione online è la scelta migliore. Con un convertitore online, devi solo caricare il file Excel e scaricare il file immagine convertito. Non sono necessari passaggi aggiuntivi.

Per ottenere una conversione più fluida, un buon convertitore online è il punto chiave. CloudxDocs Online Excel to Image Converter è la soluzione perfetta. Questo potente strumento basato sul web è progettato sia per utenti professionali che occasionali. Assicura una conversione istantanea da file Excel (XLS, XLSX) in immagini di alta qualità come PNG o JPG. Che tu voglia condividere tabelle in una presentazione, incorporare dati in un report o semplicemente preservare il layout del tuo foglio di calcolo esattamente come appare, CloudxDocs rende il processo fluido, accurato e sicuro.

Ora, segui i passaggi seguenti per convertire i tuoi file Excel in JPG/PNG con CloudxDocs:

Passaggio 1. Vai alla pagina ufficiale di CloudxDocs Excel to Image Converter. Puoi caricare i tuoi file Excel facendo clic o trascinando il file nell'interfaccia principale.

main interface of cloudxdocs online excel to image converter

Passaggio 2. Dopo il caricamento, CloudxDocs inizierà ad analizzare il tuo file Excel e a convertirlo immediatamente in formato immagine. L'intero processo non richiederà molto tempo, quindi attendi solo pochi secondi.

conversion process screenshot of cloudxdocs

Passaggio 3. CloudxDocs fornirà un file compresso con tutte le immagini convertite. Fai clic sul pulsante "Download" e decomprimi il file. Quindi, otterrai tutte le immagini convertite dal file Excel originale.

result screenshot of cloudxdocs online excel to image converter

Metodo 3. (Avanzato) Salvare una Tabella di Excel come Immagine Programmaticamente in C#

Per gli sviluppatori o le organizzazioni che necessitano di automatizzare il processo di conversione in blocco o di integrarlo in un'applicazione, sono disponibili anche metodi programmatici. Questi approcci consentono di ottimizzare le conversioni su larga scala da Excel a immagine, ridurre il lavoro manuale e garantire una qualità di output costante su più file.

Incorporando la logica di conversione direttamente nel tuo flusso di lavoro o sistema, puoi generare facilmente tabelle basate su immagini per report, visualizzazione dei dati o documentazione. Una libreria di codice come Spire.XLS for .NET offre una soluzione professionale.

Breve Introduzione a Spire.XLS for .NET

Spire.XLS for .NET è una potente libreria di manipolazione di Excel sviluppata da E-ICEBLUE, che consente agli sviluppatori di creare, modificare, convertire e renderizzare file Excel senza che Microsoft Excel sia installato. Una delle sue funzionalità avanzate è quella di esportare fogli di lavoro o intervalli di Excel direttamente come immagini, mantenendo una precisa fedeltà visiva.

screenshot of the introduction page of spire.xls for .net

Funzionalità uniche per aiutarti a scegliere Spire.XLS for .NET:

  • Conversione veloce e sicura da Excel a immagine: Converti rapidamente intervalli specifici di Excel o interi fogli di lavoro in immagini di alta qualità mantenendo i tuoi dati al sicuro in un ambiente locale.
  • Conversione di alta qualità per diversi formati: Mantieni layout, colori e formattazione precisi durante l'esportazione in formati popolari tra cui PDF, TXT, HTML, ecc.
  • Funzionalità più personalizzabili: Consenti agli sviluppatori di utilizzare funzionalità più personalizzate come rimuovere collegamenti ipertestuali, inserire e valutare formule, aggiungere grafici, ecc.
  • Totalmente indipendente da Microsoft Office: Funziona senza problemi senza Microsoft Office, rendendolo ideale per l'implementazione su qualsiasi sistema o server.

Tutorial C# per Salvare File Excel in Formato Immagine con Spire.XLS for .NET

Passaggio 1. Installa prima la libreria di codice.

Puoi aggiungere la libreria di codice al tuo computer tramite due opzioni:

PM> Install-Package Spire.XLS

Passaggio 2. Copia e personalizza il codice in base alle tue esigenze.

Qui forniremo il codice di esempio per aiutarti a convertire senza problemi le tabelle di Excel in formato JPG/PNG. Non dimenticare di regolare elementi personalizzati come la posizione del file:

using Spire.Xls;
namespace Xls2Image

{
    class Program
    {
        static void Main(string[] args)
        {
            //Create a Workbook instance
            Workbook workbook = new Workbook();

            //Load an Excel sample document
            workbook.LoadFromFile( @"sample.xlsx");

            //Get the first worksheet
            Worksheet sheet = workbook.Worksheets[0];

            //Save the worksheet as an image
            sheet.SaveToImage("XlsToImage.jpg");
        }
    }
}

Ottieni maggiori dettagli in questo tutorial: Converti Excel in Immagini con C#

RISULTATO:

cover page of saving excel table as an image

Suggerimenti per Ottenere i Migliori Risultati

Prima di iniziare a convertire i tuoi file Excel in immagini, alcune semplici regolazioni possono fare una grande differenza nell'output finale. Prestare attenzione a layout, formattazione e impostazioni dell'immagine aiuta a garantire che i file convertiti appaiano puliti e professionali.

Ecco alcuni suggerimenti pratici per aiutarti a ottenere i migliori risultati ogni volta.

  1. Prima della conversione, regola la larghezza delle colonne e l'altezza delle righe per un layout pulito.
  2. Usa dimensioni e colori dei caratteri coerenti per rendere la tua tabella visivamente accattivante.
  3. Quando si utilizza il codice, specificare intervalli di celle esatti per un controllo preciso.
  4. Per fogli di lavoro più grandi, considera l'esportazione in parti per mantenere la chiarezza.

Queste piccole ottimizzazioni possono fare una grande differenza quando si presentano visivamente i dati di Excel.

Conclusione

Salvare una tabella di Excel come immagine è uno dei modi più semplici ma più efficaci per condividere i tuoi dati in un formato pulito e visivamente coerente. Che tu stia inviando un'istantanea rapida di un report, incorporando grafici in una presentazione o preparando dati per la pubblicazione, la conversione delle tabelle di Excel in immagini garantisce che layout, colori e formattazione rimangano perfettamente conservati.

Per una condivisione una tantum, la funzione integrata di Microsoft Copia come immagine è la scelta più rapida e semplice. Se desideri un'opzione online rapida e intuitiva, CloudxDocs Online Excel to Image Converter gestisce i caricamenti nel browser e produce file PNG/JPG di alta qualità senza installazioni. Quando hai bisogno di automazione, elaborazione in blocco o controllo di livello aziendale, Spire.XLS for .NET consente agli sviluppatori di incorporare una conversione affidabile e offline da Excel a immagine direttamente nelle applicazioni.

Inizia a sperimentare oggi e scopri con quanta facilità puoi trasformare le tue tabelle di Excel in immagini condivisibili e di qualità professionale.

Leggi di più:

cover page of saving excel table as an image

O Microsoft Excel é uma das ferramentas mais poderosas para gerenciar dados, criar relatórios e apresentar insights visualmente. No entanto, quando se trata de compartilhar suas tabelas do Excel — como gráficos, resumos financeiros ou dados formatados — você pode querer salvá-las como imagens. Isso permite que você as insira em apresentações, sites ou e-mails sem perder a formatação ou expor fórmulas.

Neste artigo, exploraremos como salvar uma tabela do Excel como imagem usando diretamente o Microsoft, ferramentas online e métodos de programação em C#. Seja você um usuário casual procurando uma conversão online rápida ou um desenvolvedor que precisa automatizar o processo, encontrará uma solução confiável aqui.

Aqui está uma breve lista para ajudá-lo a escolher os melhores métodos. Você pode clicar para ir para os tutoriais correspondentes:

Método 1. Simplesmente Copie e Cole para Enviar Tabelas do Excel em Formato de Imagem

Vamos começar com a maneira mais fácil e direta de enviar sua tabela do Excel como imagem. Nenhuma ferramenta adicional ou etapas complexas são necessárias — apenas a função de copiar e colar integrada do Excel.

Basta seguir os passos abaixo:

Passo 1. Abra seu arquivo do Excel com o Microsoft e selecione as tabelas específicas que você gostaria de compartilhar.

Passo 2. Encontre a seção "Página Inicial" na Faixa de Opções. Você verá um menu suspenso para "Copiar". Clique na seta para baixo e clique em "Copiar como Imagem…" para continuar.

screenshot of saving excel tables as image format using ms copy as picture feature

Passo 3. Então, você pode compartilhar a tabela em formato de imagem. Abra a caixa de bate-papo com a qual você gostaria de compartilhar e cole com Ctrl + V diretamente.

Método 2. Salvar Tabela do Excel como Imagem Online com CloudxDocs

Se você está procurando uma maneira rápida e fácil de transformar suas planilhas do Excel em formato de imagem, a conversão online é a melhor escolha. Com um conversor online, você só precisa carregar o arquivo Excel e baixar o arquivo de imagem convertido. Nenhuma etapa extra é necessária.

Para obter uma conversão mais suave, um bom conversor online é o ponto-chave. O Conversor Online de Excel para Imagem da CloudxDocs é a solução perfeita. Esta poderosa ferramenta baseada na web foi projetada para usuários profissionais e casuais. Garante a conversão instantânea de arquivos do Excel (XLS, XLSX) em imagens de alta qualidade, como PNG ou JPG. Se você deseja compartilhar tabelas em uma apresentação, incorporar dados em um relatório ou simplesmente preservar o layout da sua planilha exatamente como ele aparece, o CloudxDocs torna o processo contínuo, preciso e seguro.

Agora, siga os passos abaixo para converter seus arquivos do Excel para JPG/PNG com o CloudxDocs:

Passo 1. Acesse a página oficial do Conversor de Excel para Imagem da CloudxDocs. Você pode fazer o upload de seus arquivos do Excel clicando ou arrastando o arquivo para a interface principal.

main interface of cloudxdocs online excel to image converter

Passo 2. Após o upload, o CloudxDocs começará a analisar seu arquivo do Excel e a convertê-lo para o formato de imagem imediatamente. O processo todo não levará muito tempo, então espere apenas alguns segundos.

conversion process screenshot of cloudxdocs

Passo 3. O CloudxDocs fornecerá um arquivo compactado com todas as imagens convertidas. Clique no botão "Baixar" e descompacte o arquivo. Então, você obterá todas as imagens convertidas do arquivo original do Excel.

result screenshot of cloudxdocs online excel to image converter

Método 3. (Avançado) Salvar Tabela do Excel como Imagem Programaticamente em C#

Para desenvolvedores ou organizações que precisam automatizar o processo de conversão em massa ou integrá-lo a um aplicativo, também existem métodos programáticos disponíveis. Essas abordagens permitem otimizar conversões de Excel para imagem em grande escala, reduzir o trabalho manual e garantir uma qualidade de saída consistente em vários arquivos.

Ao incorporar a lógica de conversão diretamente em seu fluxo de trabalho ou sistema, você pode gerar facilmente tabelas baseadas em imagens para relatórios, visualização de dados ou documentação. Bibliotecas de código como Spire.XLS for .NET oferecem uma solução profissional.

Breve Introdução sobre o Spire.XLS for .NET

O Spire.XLS for .NET é uma poderosa biblioteca de manipulação de Excel desenvolvida pela E-ICEBLUE, que permite aos desenvolvedores criar, editar, converter e renderizar arquivos do Excel sem o Microsoft Excel instalado. Uma de suas capacidades avançadas é exportar planilhas ou intervalos do Excel diretamente como imagens, mantendo uma fidelidade visual precisa.

screenshot of the introduction page of spire.xls for .net

Recursos exclusivos para ajudá-lo a escolher o Spire.XLS for .NET:

  • Conversão rápida e segura de Excel para Imagem: Converta rapidamente intervalos específicos do Excel ou planilhas inteiras em imagens de alta qualidade, mantendo seus dados seguros em um ambiente local.
  • Conversão de alta qualidade para diversos formatos: Mantenha o layout, a cor e a formatação precisos ao exportar para formatos populares, incluindo PDF, TXT, HTML, etc.
  • Mais recursos personalizáveis: Permite que os desenvolvedores usem recursos mais personalizados, como remover hiperlinks, inserir e avaliar fórmulas, adicionar gráficos, etc.
  • Totalmente independente do Microsoft Office: Funciona perfeitamente sem o Microsoft Office, tornando-o ideal para implantação em qualquer sistema ou servidor.

Tutorial em C# para Salvar Arquivos do Excel em Formato de Imagem com o Spire.XLS for .NET

Passo 1. Instale primeiro a biblioteca de código.

Você pode adicionar a biblioteca de código ao seu computador por meio de duas opções:

PM> Install-Package Spire.XLS

Passo 2. Copie e personalize o código de acordo com suas necessidades.

Aqui, forneceremos o código de exemplo para ajudá-lo a converter tabelas do Excel para o formato JPG/PNG sem problemas. Não se esqueça de ajustar itens personalizados, como a localização do arquivo:

using Spire.Xls;
namespace Xls2Image

{
    class Program
    {
        static void Main(string[] args)
        {
            //Create a Workbook instance
            Workbook workbook = new Workbook();

            //Load an Excel sample document
            workbook.LoadFromFile( @"sample.xlsx");

            //Get the first worksheet
            Worksheet sheet = workbook.Worksheets[0];

            //Save the worksheet as an image
            sheet.SaveToImage("XlsToImage.jpg");
        }
    }
}

Obtenha mais detalhes neste tutorial: Converter Excel para Imagens com C#

RESULTADO:

cover page of saving excel table as an image

Dicas para Obter os Melhores Resultados

Antes de começar a converter seus arquivos do Excel em imagens, alguns ajustes simples podem fazer uma grande diferença no resultado final. Prestar atenção ao layout, formatação e configurações de imagem ajuda a garantir que seus arquivos convertidos pareçam limpos e profissionais.

Aqui estão algumas dicas práticas para ajudá-lo a obter os melhores resultados sempre.

  1. Antes da conversão, ajuste a largura da coluna e a altura da linha para um layout limpo.
  2. Use tamanhos de fonte e cores consistentes para tornar sua tabela visualmente atraente.
  3. Ao usar código, especifique intervalos de células exatos para um controle preciso.
  4. Para planilhas maiores, considere exportar em partes para manter a clareza.

Essas pequenas otimizações podem fazer uma grande diferença ao apresentar seus dados do Excel visualmente.

Conclusão

Salvar uma tabela do Excel como imagem é uma das maneiras mais simples e eficazes de compartilhar seus dados em um formato limpo e visualmente consistente. Esteja você enviando um instantâneo rápido de um relatório, incorporando gráficos em uma apresentação ou preparando dados para publicação, converter suas tabelas do Excel em imagens garante que seu layout, cores e formatação permaneçam perfeitamente preservados.

Para um compartilhamento único, a função integrada do Microsoft Copiar como Imagem é a escolha mais rápida e simples. Se você deseja uma opção online rápida e fácil de usar, o Conversor Online de Excel para Imagem da CloudxDocs lida com uploads no navegador e produz arquivos PNG/JPG de alta qualidade sem instalações. Quando você precisa de automação, processamento em massa ou controle de nível empresarial, o Spire.XLS for .NET permite que os desenvolvedores incorporem uma conversão confiável e offline de Excel para imagem diretamente nos aplicativos.

Comece a experimentar hoje e descubra como é fácil transformar suas tabelas do Excel em imagens compartilháveis e de qualidade profissional.

Leia Mais:

cover page of saving excel table as an image

Microsoft Excel은 데이터를 관리하고, 보고서를 작성하며, 통찰력을 시각적으로 제시하는 가장 강력한 도구 중 하나입니다. 그러나 차트, 재무 요약 또는 서식이 지정된 데이터와 같은 Excel 표를 공유할 때는 이미지로 저장하는 것이 좋습니다. 이렇게 하면 서식을 잃거나 수식을 노출하지 않고 프레젠테이션, 웹사이트 또는 이메일에 삽입할 수 있습니다.

이 기사에서는 Microsoft를 직접 사용하거나, 온라인 도구 및 C# 프로그래밍 방법을 사용하여 Excel 표를 이미지로 저장하는 방법을 살펴보겠습니다. 빠른 온라인 변환을 찾는 일반 사용자이든, 프로세스를 자동화해야 하는 개발자이든, 여기에서 신뢰할 수 있는 솔루션을 찾을 수 있습니다.

다음은 최상의 방법을 선택하는 데 도움이 되는 간단한 목록입니다. 클릭하여 해당 튜토리얼로 이동할 수 있습니다:

방법 1. 간단히 복사하여 붙여넣기로 Excel 표를 이미지 형식으로 보내기

Excel 표를 이미지로 보내는 가장 쉽고 간단한 방법부터 시작하겠습니다. 추가 도구나 복잡한 단계가 필요 없으며, Excel의 내장된 복사 및 붙여넣기 기능만 사용하면 됩니다.

아래 단계를 따르기만 하면 됩니다:

1단계. Microsoft로 Excel 파일을 열고 공유하려는 특정 표를 선택합니다.

2단계. 리본에서 "" 섹션을 찾습니다. "복사"에 대한 드롭다운 메뉴가 표시됩니다. 아래쪽 화살표를 클릭하고 "그림으로 복사…"를 클릭하여 계속합니다.

screenshot of saving excel tables as image format using ms copy as picture feature

3단계. 그런 다음 표를 이미지 형식으로 공유할 수 있습니다. 공유하려는 채팅 상자를 열고 Ctrl + V를 사용하여 직접 붙여넣습니다.

방법 2. CloudxDocs를 사용하여 온라인에서 Excel 표를 이미지로 저장하기

Excel 스프레드시트를 이미지 형식으로 빠르고 간편하게 변환하는 방법을 찾고 있다면 온라인 변환이 최선의 선택입니다. 온라인 변환기를 사용하면 Excel 파일을 업로드하고 변환된 이미지 파일을 다운로드하기만 하면 됩니다. 추가 단계가 필요하지 않습니다.

보다 원활한 변환을 위해서는 좋은 온라인 변환기가 핵심입니다. CloudxDocs 온라인 Excel-이미지 변환기는 완벽한 솔루션입니다. 이 강력한 웹 기반 도구는 전문가와 일반 사용자 모두를 위해 설계되었습니다. Excel 파일(XLS, XLSX)을 PNG 또는 JPG와 같은 고품질 이미지로 즉시 변환합니다. 프레젠테이션에서 표를 공유하거나, 보고서에 데이터를 포함하거나, 단순히 스프레드시트 레이아웃을 그대로 보존하려는 경우, CloudxDocs는 프로세스를 원활하고 정확하며 안전하게 만듭니다.

이제 아래 단계에 따라 CloudxDocs로 Excel 파일을 JPG/PNG로 변환하십시오:

1단계. CloudxDocs Excel-이미지 변환기의 공식 페이지로 이동합니다. 파일을 클릭하거나 주 인터페이스로 드래그하여 Excel 파일을 업로드할 수 있습니다.

main interface of cloudxdocs online excel to image converter

2단계. 업로드 후 CloudxDocs는 Excel 파일을 분석하고 즉시 이미지 형식으로 변환하기 시작합니다. 전체 프로세스는 시간이 많이 걸리지 않으므로 몇 초만 기다리면 됩니다.

conversion process screenshot of cloudxdocs

3단계. CloudxDocs는 변환된 모든 이미지가 포함된 압축 파일을 제공합니다. "다운로드" 버튼을 클릭하고 파일의 압축을 풉니다. 그러면 원본 Excel 파일에서 변환된 모든 이미지를 얻을 수 있습니다.

result screenshot of cloudxdocs online excel to image converter

방법 3. (고급) C#에서 프로그래밍 방식으로 Excel 표를 이미지로 저장하기

대량으로 변환 프로세스를 자동화하거나 응용 프로그램에 통합해야 하는 개발자나 조직을 위해 프로그래밍 방식의 방법도 사용할 수 있습니다. 이러한 접근 방식을 사용하면 대규모 Excel-이미지 변환을 간소화하고, 수동 작업을 줄이며, 여러 파일에서 일관된 출력 품질을 보장할 수 있습니다.

변환 로직을 워크플로우나 시스템에 직접 내장함으로써 보고, 데이터 시각화 또는 문서화를 위한 이미지 기반 표를 쉽게 생성할 수 있습니다. Spire.XLS for .NET과 같은 코드 라이브러리는 전문적인 솔루션을 제공합니다.

Spire.XLS for .NET에 대한 간략한 소개

Spire.XLS for .NETE-ICEBLUE에서 개발한 강력한 Excel 조작 라이브러리로, 개발자가 Microsoft Excel을 설치하지 않고도 Excel 파일을 생성, 편집, 변환 및 렌더링할 수 있도록 합니다. 고급 기능 중 하나는 Excel 워크시트나 범위를 이미지로 직접 내보내면서 정밀한 시각적 충실도를 유지하는 것입니다.

screenshot of the introduction page of spire.xls for .net

Spire.XLS for .NET을 선택하는 데 도움이 되는 고유한 기능:

  • 빠르고 안전한 Excel-이미지 변환: 로컬 환경 내에서 데이터를 안전하게 유지하면서 특정 Excel 범위나 전체 워크시트를 고품질 이미지로 빠르게 변환합니다.
  • 다양한 형식에 대한 고품질 변환: PDF, TXT, HTML 등과 같은 인기 있는 형식으로 내보낼 때 정확한 레이아웃, 색상 및 서식을 유지합니다.
  • 더 많은 사용자 정의 기능: 개발자가 하이퍼링크 제거, 수식 삽입 및 평가, 차트 추가 등과 같은 더 많은 사용자 정의 기능을 수행할 수 있도록 합니다.
  • Microsoft Office로부터 완전히 독립적: Microsoft Office 없이도 원활하게 작동하므로 모든 시스템이나 서버에 배포하기에 이상적입니다.

Spire.XLS for .NET을 사용하여 C#에서 Excel 파일을 이미지 형식으로 저장하는 튜토리얼

1단계. 먼저 코드 라이브러리를 설치합니다.

두 가지 옵션을 통해 컴퓨터에 코드 라이브러리를 추가할 수 있습니다:

PM> Install-Package Spire.XLS

2단계. 필요에 따라 코드를 복사하고 사용자 정의합니다.

여기서는 Excel 표를 JPG/PNG 형식으로 원활하게 변환하는 데 도움이 되는 예제 코드를 제공합니다. 파일 위치와 같은 사용자 정의 사항을 조정하는 것을 잊지 마십시오:

using Spire.Xls;
namespace Xls2Image

{
    class Program
    {
        static void Main(string[] args)
        {
            //Create a Workbook instance
            Workbook workbook = new Workbook();

            //Load an Excel sample document
            workbook.LoadFromFile( @"sample.xlsx");

            //Get the first worksheet
            Worksheet sheet = workbook.Worksheets[0];

            //Save the worksheet as an image
            sheet.SaveToImage("XlsToImage.jpg");
        }
    }
}

이 튜토리얼에서 자세한 내용을 확인하세요: C#으로 Excel을 이미지로 변환하기

결과:

cover page of saving excel table as an image

최상의 결과를 얻기 위한 팁

Excel 파일을 이미지로 변환하기 전에 몇 가지 간단한 조정만으로도 최종 출력물에 큰 차이를 만들 수 있습니다. 레이아웃, 서식 및 이미지 설정에 주의를 기울이면 변환된 파일이 깨끗하고 전문적으로 보이도록 할 수 있습니다.

다음은 매번 최상의 결과를 얻는 데 도움이 되는 몇 가지 실용적인 팁입니다.

  1. 변환하기 전에 열 너비와 행 높이를 조정하여 깔끔한 레이아웃을 만듭니다.
  2. 일관된 글꼴 크기와 색상을 사용하여 표를 시각적으로 매력적으로 만듭니다.
  3. 코드를 사용할 때 정확한 제어를 위해 정확한 셀 범위를 지정합니다.
  4. 더 큰 워크시트의 경우 명확성을 유지하기 위해 부분적으로 내보내는 것을 고려합니다.

이러한 작은 최적화는 Excel 데이터를 시각적으로 제시할 때 큰 차이를 만들 수 있습니다.

결론

Excel 표를 이미지로 저장하는 것은 데이터를 깨끗하고 시각적으로 일관된 형식으로 공유하는 가장 간단하면서도 효과적인 방법 중 하나입니다. 보고서의 빠른 스냅샷을 보내거나, 프레젠테이션에 차트를 포함하거나, 출판을 위해 데이터를 준비할 때 Excel 표를 이미지로 변환하면 레이아웃, 색상 및 서식이 완벽하게 보존됩니다.

일회성 공유의 경우 Microsoft의 내장된 그림으로 복사가 가장 빠르고 간단한 선택입니다. 빠르고 사용자 친화적인 온라인 옵션을 원한다면 CloudxDocs 온라인 Excel-이미지 변환기가 브라우저에서 업로드를 처리하고 설치 없이 고품질 PNG/JPG 파일을 생성합니다. 자동화, 대량 처리 또는 엔터프라이즈급 제어가 필요한 경우 Spire.XLS for .NET을 사용하면 개발자가 신뢰할 수 있는 오프라인 Excel-이미지 변환을 응용 프로그램에 직접 내장할 수 있습니다.

오늘 바로 실험을 시작하여 Excel 표를 공유 가능하고 전문가 수준의 이미지로 얼마나 쉽게 변환할 수 있는지 알아보십시오.

더 읽어보기: