인터리빙 페이지 순서로 2 개의 PDF 파일을 병합하는 방법은 무엇입니까?


13

선형 벌크 스캐너로 스캔 할 수 있도록 양면 인쇄 된 다중 페이지 문서가 있습니다. 결과적으로 2 개의 PDF 파일을 얻습니다. 하나는 모든 홀수 페이지를 포함하고 다른 하나는 모든 짝수 페이지를 포함합니다. 자연스럽게 병합해야합니다.

1. <- 1.1. (odd.pdf page 1 to result.pdf page 1)
2. <- 2.1. (even.pdf page 1 to result.pdf page 2)
3. <- 1.2. (odd.pdf page 2 to result.pdf page 3)
4. <- 2.2. (even.pdf page 2 to result.pdf page 4)

기타


PDF 파서를 찾아서 병합 정렬을 수행하십시오.
데이지

1
Stephane이 문제를 해결하지 못하면 perl 모듈을 사용해 CAM::PDF볼 수 있습니다. 나중에 스크립트를 제공해 드리겠습니다. 두 PDF의 페이지 수는 동일합니까?
데이지

답변:


7

pdfseparatepdfunite명령을 참조하십시오 poppler-utils. 첫 번째는 각 문서의 페이지를 개별 파일로 분리하고 두 번째는 새 문서에서 원하는 순서대로 페이지를 병합합니다.

또한 스캐너는 어쨌든 래스터 이미지를 제공하기 때문에 (당신과 같은 일부는 PDF 파일로 연결할 수 있습니다) 대신 이미지를 출력하도록 구성하고 (png, tiff ...) 대신 PDF로 연결을 수행 할 수 있습니다 ImageMagick.


이것은 내가 필요한 것 같지만 시도해 보자 ...
Ivan

1
과연. 우수한. 필요한 것을 올바르게하기 위해 사용하기 간단합니다. 그건 그렇고, 물론 물어보기 전에 googled를 보았고 정확히 똑같은 것을 발견 한 솔루션은 훨씬 더 복잡했습니다.
Ivan

Ubuntu 18.04에서 @TCF의 유용한 스크립트를 사용 하여이 작업을 시도했으며 ~ 5.5Mb 파일 2 개를 197Mb 파일 1 개로 바 꾸었으므로 작업을 수행하는 동안 사용할 수 없었습니다 (결과를 이메일로 보내야했습니다!) .
Reuben Thomas

12

pdftk에는 다음과 같은 페이지를 조합하는 셔플 명령이 있습니다.

pdftk A=odd.pdf B=even.pdf shuffle A B output collated.pdf

1
이것은 나에게 잘 작동했지만 짝수 페이지를 뒤집기 위해 조정되었습니다 (먼저 페이지 순서를 바꾸지 않고 스캔 한 경우). pdftk A = recto.pdf B = verso.pdf shuffle A Bend-1 출력이 대조되었습니다. pdf
Reuben Thomas

환상적인, 감사합니다-이것은 완벽하게 작동합니다
infomaniac

2

다음을 bash사용하여 간단히 살펴보십시오 pdfjam.

입력 인수 배열을 작성하십시오.

for k in $(seq 1 ${N_PAGES}); do
    PAGES+=(odd.pdf);
    PAGES+=($k);
    PAGES+=(even.pdf);
    PAGES+=($k);
done

이를 통해 다음에 대한 입력 목록으로 사용할 수 있습니다 pdfjoin.

 pdfjoin ${PAGES[@]} --outfile shuffled.pdf

2
또한 주목해야한다 pdfjoin래퍼 스크립트 주위 pdfjam자체 래퍼 스크립트 pdfpages그것은 종속성으로 유액을 제공한다는 것을 의미하므로 유액 패키지 (그리고이 pdflatex).
Stéphane Chazelas


0

나는 기본적으로 같은 일을하고 싶었고 Stéphane Chazelas의 대답은 매우 도움이되었습니다. 나는 그가 제안한 명령을 사용하여 사물을 자동화하는 간단한 Python 스크립트를 작성하기에 충분할 때가 많다. 기본적으로 짝수 페이지의 순서를 바꾸지 만 명령 행 플래그를 사용하여이를 억제 할 수 있습니다.

이 질문은 오래된 것이기 때문에 원래의 요구 자의 요구가 이미 충족되었을 것으로 예상됩니다. 그러나 앞으로이 곳에 도착하는 사람들에게이 스크립트가 유용 할 수 있으므로 아래에 배치했습니다.

#!/usr/bin/python
"""A simple script to merge two PDFs."""

import argparse
from os import listdir
from os.path import join as opjoin
import shutil
from subprocess import check_call, CalledProcessError
import tempfile

SEPARATE = 'pdfseparate %s %s'
MERGE = 'pdfunite %s %s'

def my_exec(command):
    """Execute a command from a shell, ignoring errors."""
    try:
        check_call(command, shell=True)
    except CalledProcessError:
        pass

def run(odd, even, out, reverse_odd=False, reverse_even=True):
    """Interleave odd and even pages from two PDF files."""
    folder = tempfile.mkdtemp()
    my_exec(SEPARATE % (odd, opjoin(folder, 'odd%d.pdf')))
    my_exec(SEPARATE % (even, opjoin(folder, 'even%d.pdf')))
    odd_files = []
    even_files = []
    for curr_file in listdir(folder):
        filepath = opjoin(folder, curr_file)
        if curr_file.startswith('odd'):
            odd_files.append((filepath, int(curr_file[3:-4])))
        elif curr_file.startswith('even'):
            even_files.append((filepath, int(curr_file[4:-4])))
    func = lambda x: x[1]
    odd_files.sort(key=func, reverse=reverse_odd)
    even_files.sort(key=func, reverse=reverse_even)
    parts = []
    for line in zip(odd_files, even_files):
        parts.append(line[0][0])
        parts.append(line[1][0])
    my_exec(MERGE % (' '.join(parts), out))
    shutil.rmtree(folder)

if __name__ == '__main__':
    parser = argparse.ArgumentParser(description='Merge two PDF files.')
    parser.add_argument('odd_pages', help='PDF containing the odd pages.')
    parser.add_argument('even_pages', help='PDF containing the even pages.')
    parser.add_argument('output_file', help='The target output file.')
    parser.add_argument('--reverse-odd', action='store_true', 
                        help='Insert the odd pages in reverse order.')
    parser.add_argument('--no-reverse-even', action='store_true',
                        help='Suppress reversal of the even pages.')
    args = parser.parse_args()
    run(args.odd_pages, args.even_pages, args.output_file,
        args.reverse_odd, not args.no_reverse_even)

0

이 작업을 수행하는이 bash 스크립트를 발견했습니다. 짝수 페이지를 역순으로 스캔했다고 가정하지만 -r줄을 제거하여 변경할 수 있습니다 evenpages=($(ls "$evenbase-$key-"* | sort -r))(46 줄).

#!/bin/bash
# Copyright Fabien André <fabien.andre@xion345.info>
# Distributed under the MIT license
# This script interleaves pages from two distinct PDF files and produces an
# output PDF file. The odd pages are taken from a first PDF file and the even
# pages are taken from a second PDF file passed respectively as first and second
# argument.
# The first two pages of the output file are the first page of the
# odd pages PDF file and the *last* page of the even pages PDF file. The two
# following pages are the second page of the odd pages PDF file and the
# second to last page of the even pages PDF file and so on.
#
# This is useful if you have two-sided documents scanned each side on a
# different file as it can happen when using a one-sided Automatic Document
# Feeder (ADF)
#
# It does a similar job to :
# https://github.com/weltonrodrigo/pdfapi2/blob/46434ab3f108902db2bc49bcf06f66544688f553/contrib/pdf-interleave.pl
# but only requires bash (> 4.0) and poppler utils.
# Print usage/help message
function usage {
echo "Usage: $0 <PDF-even-pages-file> <PDF-odd-pages-file>"
exit 1
}
# Add leading zeros to pad numbers in filenames matching the pattern
# $prefix$number.pdf. This allows filenames to be easily sorted using
# sort.
# $1 : The prefix of the filenames to consider
function add_leading_zero {
prefix=$1
baseprefix=$(basename $prefix | sed -e 's/[]\/()$*.^|[]/\\&/g')
dirprefix=$(dirname $prefix)
for filename in "$prefix"*".pdf"
do
base=$(basename "$filename")
index=$(echo "$base" | sed -rn "s/$baseprefix([0-9]+).pdf$/\1/p")
newbase=$(printf "$baseprefix%04d.pdf" $index)
mv $filename "$dirprefix/$newbase"
done
}
# Interleave pages from two distinct PDF files and produce an output PDF file.
# Note that the pages from the even pages file (second file) will be used in
# the reverse order (last page first).
# $1 : Odd pages filename
# $2 : Odd pages filename with extension removed
# $3 : Even pages filename
# $4 : Even pages filename with extension removed
# $5 : Unique key used for temporary files
# $6 : Output file
function pdfinterleave {
oddfile=$1
oddbase=$2
evenfile=$3
evenbase=$4
key=$5
outfile=$6
# Odd pages
pdfseparate $oddfile "$oddbase-$key-%d.pdf"
add_leading_zero "$oddbase-$key-"
oddpages=($(ls "$oddbase-$key-"* | sort))
# Even pages
pdfseparate $evenfile "$evenbase-$key-%d.pdf"
add_leading_zero "$evenbase-$key-"
evenpages=($(ls "$evenbase-$key-"* | sort -r))
# Interleave pages
pages=()
for((i=0;i<${#oddpages[@]};i++))
do
pages+=(${oddpages[i]})
pages+=(${evenpages[i]})
done
pdfunite ${pages[@]} "$outfile"
rm ${oddpages[@]}
rm ${evenpages[@]}
}
if [ $# -lt 2 ]
then
usage
fi
if [ $1 == $2 ]
then
echo "Odd pages file and even pages file must be different." >&2
exit 1
fi
if ! hash pdfunite 2>/dev/null || ! hash pdfseparate 2>/dev/null
then
echo "This script requires pdfunite and pdfseparate from poppler utils" \
"to be in the PATH. On Debian based systems, they are found in the" \
"poppler-utils package"
exit 1
fi
oddbase=${1%.*}
evenbase=${2%.*}
odddir=$(dirname $oddbase)
oddfile=$(basename $oddbase)
evenfile=$(basename $evenbase)
outfile="$odddir/$oddfile-$evenfile-interleaved.pdf"
key=$(tr -dc "[:alpha:]" < /dev/urandom | head -c 8)
if [ -e $outfile ]
then
echo "Output file $outfile already exists" >&2
exit 1
fi
pdfinterleave $1 $oddbase $2 $evenbase $key $outfile
# SO - Bash command that prints a message on stderr
# http://stackoverflow.com/questions/2643165/bash-command-that-prints-a-message-on-stderr
# SO - Check if a program exists from a bash script
# http://stackoverflow.com/questions/592620/check-if-a-program-exists-from-a-bash-script
# SO - How to debug a bash script?
# http://stackoverflow.com/questions/951336/how-to-debug-a-bash-script
# SO - Escape a string for sed search pattern
# http://stackoverflow.com/questions/407523/escape-a-string-for-sed-search-pattern

출처

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.