8

.zipファイルを抽出する小さなスクリプトがあります。これはうまく機能しますが、ファイル名に「ä」、「ö」、「ü」などの文字が含まれるファイルを含まない.zipファイルの場合のみです。そうしないと、次のエラーが発生します。

Exception in thread Thread-1:
Traceback (most recent call last):
  File "threading.pyc", line 552, in __bootstrap_inner
  File "install.py", line 92, in run
  File "zipfile.pyc", line 962, in extractall
  File "zipfile.pyc", line 950, in extract
  File "zipfile.pyc", line 979, in _extract_member
  File "ntpath.pyc", line 108, in join
UnicodeDecodeError: 'ascii' codec can't decode byte 0x94 in position 32: ordinal not in range(128)

これが私のスクリプトの抽出部分です:

zip = zipfile.ZipFile(path1)
zip.extractall(path2)

どうすればこれを解決できますか?

4

3 に答える 3

5

1つの提案:

これを行うとエラーが発生します。

>>> c = chr(129)
>>> c + u'2'

Traceback (most recent call last):
  File "<pyshell#21>", line 1, in <module>
    c + u'2'
UnicodeDecodeError: 'ascii' codec can't decode byte 0x81 in position 0: ordinal not in range(128)

どこかに結合するために渡されるUnicode文字列があります。

zipファイルのファイルパスがUnicodeでエンコードされている可能性がありますか?これを行うとどうなりますか:

zip = zipfile.ZipFile(str(path1))
zip.extractall(str(path2))

またはこれ:

zip = zipfile.ZipFile(unicode(path1))
zip.extractall(unicode(path2))

これはntpathの128行目です。

def join(a, *p): # 63
    for b in p: # 68
                path += "\\" + b  # 128

2番目の提案:

from ntpath import *

def join(a, *p):
    """Join two or more pathname components, inserting "\\" as needed.
    If any component is an absolute path, all previous path components
    will be discarded."""
    path = a
    for b in p:
        b_wins = 0  # set to 1 iff b makes path irrelevant
        if path == "":
            b_wins = 1

        elif isabs(b):
            # This probably wipes out path so far.  However, it's more
            # complicated if path begins with a drive letter:
            #     1. join('c:', '/a') == 'c:/a'
            #     2. join('c:/', '/a') == 'c:/a'
            # But
            #     3. join('c:/a', '/b') == '/b'
            #     4. join('c:', 'd:/') = 'd:/'
            #     5. join('c:/', 'd:/') = 'd:/'
            if path[1:2] != ":" or b[1:2] == ":":
                # Path doesn't start with a drive letter, or cases 4 and 5.
                b_wins = 1

            # Else path has a drive letter, and b doesn't but is absolute.
            elif len(path) > 3 or (len(path) == 3 and
                                   path[-1] not in "/\\"):
                # case 3
                b_wins = 1

        if b_wins:
            path = b
        else:
            # Join, and ensure there's a separator.
            assert len(path) > 0
            if path[-1] in "/\\":
                if b and b[0] in "/\\":
                    path += b[1:]
                else:
                    path += b
            elif path[-1] == ":":
                path += b
            elif b:
                if b[0] in "/\\":
                    path += b
                else:
                    # !!! modify the next line so it works !!!
                    path += "\\" + b
            else:
                # path is not empty and does not end with a backslash,
                # but b is empty; since, e.g., split('a/') produces
                # ('a', ''), it's best if join() adds a backslash in
                # this case.
                path += '\\'

    return path

import ntpath
ntpath.join = join
于 2013-01-30T13:01:53.337 に答える
2

移植性の理由から、Windowsからファイルを圧縮してLinuxで抽出する場合は、すべてのファイルのパスをzipファイルでユニコードに変換できます。zipから抽出する場合は、このデフォルトの抽出ファイルをディスクに使用せずZipFile.extractall、ユニコードパスをサポートしません。 zipファイルで、これを試してください:

import zipfile, sys, os,
zf = zipfile.ZipFile(sys.argv[1], 'r')
for m in zf.infolist():
    data = zf.read(m) # extract zipped data into memory
    # convert unicode file path to utf8
    disk_file_name = m.filename.encode('utf8')
    dir_name = os.path.dirname(disk_file_name)
    try:
        os.makedirs(dir_name)
    except OSError as e:
        if e.errno == os.errno.EEXIST:
            pass
        else:
            raise
    except Exception as e:
        raise

    with open(disk_file_name, 'wb') as fd:
        fd.write(data)
zf.close()
于 2015-10-11T00:36:59.087 に答える
-1

水としてクリア:メッセージは、ASCIIデコーダーが非ASCII文字を処理できないことを示しています。他の文字エンコードを選択する必要があります。

于 2013-01-30T12:56:03.677 に答える