我有一个unicode文件路径列表,在其中我需要用英语变音符号替换所有的变音。例如,我会和ue,ae等等。我已经定义了一本关于元音变调(键)及其变音符号(值)的字典。因此,我需要将每个键与每个文件路径以及找到该键的位置进行比较,将其替换为值。这看起来很简单,但我不能让它工作。有人有什么想法吗?任何反馈都非常感谢!
目前的代码:

# -*- coding: utf-8 -*-

import os

def GetFilepaths(directory):
    """
    This function will generate all file names a directory tree using os.walk.
    It returns a list of file paths.
    """
    file_paths = []
    for root, directories, files in os.walk(directory):
        for filename in files:
            filepath = os.path.join(root, filename)
            file_paths.append(filepath)
    return file_paths

# dictionary of umlaut unicode representations (keys) and their replacements (values)
umlautDictionary = {u'Ä': 'Ae',
                    u'Ö': 'Oe',
                    u'Ü': 'Ue',
                    u'ä': 'ae',
                    u'ö': 'oe',
                    u'ü': 'ue'
                    }

# get file paths in root directory and subfolders
filePathsList = GetFilepaths(u'C:\\Scripts\\Replace Characters\\Umlauts')
for file in filePathsList:
    for key, value in umlautDictionary.iteritems():
        if key in file:
            file.replace(key, value) # does not work -- umlauts still in file path!
            print file

最佳答案

replace方法返回一个新字符串,它不会修改原始字符串。
所以你需要

file = file.replace(key, value)

而不仅仅是file.replace(key, value)
还请注意,您可以使用the translate method一次完成所有替换,而不是使用for-loop
In [20]: umap = {ord(key):unicode(val) for key, val in umlautDictionary.items()}

In [21]: umap
Out[21]: {196: u'Ae', 214: u'Oe', 220: u'Ue', 228: u'ae', 246: u'oe', 252: u'ue'}

In [22]: print(u'ÄÖ'.translate(umap))
AeOe

所以你可以用
umap = {ord(key):unicode(val) for key, val in umlautDictionary.items()}
for filename in filePathsList:
    filename = filename.translate(umap)
    print(filename)

关于python - Python-将音译德国的乌姆劳语变音符号,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33281430/

10-09 06:32