web-dev-qa-db-ja.com

pythonを使用して、LinuxでDOS行末のテキストファイルを書き込む

Linuxで実行されているpython)を使用して、DOS/Windowsの行末が '\ r\n'のテキストファイルを書きたいのです。すべての行の終わりで、または行末変換ユーティリティを使用してr\n '。理想的には、ファイルの書き込み時に使用するセパレータをos.linesepに割り当てるなどの操作を実行できるようにします。または行を指定します。ファイルを開くときのセパレータ。

19
gaumann

別のファイルのようにラップし、書き込み時に\n\r\nに変換するファイルのように書き込むだけです。

例えば:

class ForcedCrLfFile(file):
    def write(self, s):
        super(ForcedCrLfFile, self).write(s.replace(r'\n', '\r\n'))

Python 2.6以降の場合、ioモジュールの open 関数には、使用する改行を指定できるオプションの改行パラメーターがあります。

例えば:

import io
with io.open('tmpfile', 'w', newline='\r\n') as f:
    f.write(u'foo\nbar\nbaz\n')

これを含むファイルを作成します:

foo\r\n
bar\r\n
baz\r\n
75
gaumann

参考までにこれを見ることができます [〜#〜] pep [〜#〜]

更新:

@OP、あなたはこのようなものを作成してみることができます

import sys
plat={"win32":"\r\n", 'linux':"\n" } # add macos as well
platform=sys.platform
...
o.write( line + plat[platform] )
2
ghostdog74

これが私が書いたpythonスクリプトです。指定されたディレクトリから再帰し、すべての\ n行末を\ r\n末尾に置き換えます。次のように使用します。

unix2windows /path/to/some/directory

'。'で始まるフォルダ内のファイルは無視されます。また、J.F。Sebastianが この回答 で示したアプローチを使用して、バイナリファイルと見なされるファイルも無視します。オプションの正規表現の位置引数を使用して、さらにフィルタリングできます。

unix2windows /path/to/some/directory .py$

これが完全なスクリプトです。誤解を避けるために、私の部品は MITライセンス の下でライセンスされています。

#!/usr/bin/python
import sys
import os
import re
from os.path import join

textchars = bytearray({7,8,9,10,12,13,27} | set(range(0x20, 0x100)) - {0x7f})
def is_binary_string(bytes):
    return bool(bytes.translate(None, textchars))

def is_binary_file(path):    
    with open(path, 'rb') as f:
        return is_binary_string(f.read(1024))

def convert_file(path):
    if not is_binary_file(path):
        with open(path, 'r') as f:
            text = f.read()
        print path
    with open(path, 'wb') as f:
        f.write(text.replace('\r', '').replace('\n', '\r\n'))

def convert_dir(root_path, pattern):
    for root, dirs, files in os.walk(root_path):
        for filename in files:
            if pattern.search(filename):
                path = join(root, filename)
                convert_file(path)

        # Don't walk hidden dirs
        for dir in list(dirs):
            if dir[0] == '.':
                dirs.remove(dir)

args = sys.argv
if len(args) <= 1 or len(args) > 3:
    print "This tool recursively converts files from Unix line endings to"
    print "Windows line endings"
    print ""
    print "USAGE: unix2windows.py PATH [REGEX]"
    print "Path:             The directory to begin recursively searching from"
    print "Regex (optional): Only files matching this regex will be modified"
    print ""    
else:
    root_path = sys.argv[1]
    if len(args) == 3:
        pattern = sys.argv[2]
    else:
        pattern = r"."
    convert_dir(root_path, re.compile(pattern))
1
Martin Eden

テキストを変換して書き込む関数を書くことができます。例えば:

def DOSwrite(f, text):
    t2 = text.replace('\n', '\r\n')
    f.write(t2)
#example
f = open('/path/to/file')
DOSwrite(f, "line 1\nline 2")
f.close()
0
None