1

我有一个为 cobol 编写的旧的 informix 数据库。所有字段都在代码中,所以我的 SQL 查询看起来像。

SELECT uu00012 FROM uu0001;

这很难读。

我有一个包含字段定义的文本文件,例如

uu00012 client
uu00013 date
uu00014 f_name
uu00015 l_name

我想将代码换成更英文的名称。可能在其上运行 python 脚本并保存一个包含英文名称的文件。

最好的方法是什么?

4

5 回答 5

1

如果每件作品绝对是一个单独的词,re.sub那么绝对是这里的路:

#create a mapping of old vars to new vars.
with open('definitions') as f:
    d = dict( [x.split() for x in f] )

def my_replace(match):
    #if the match is in the dictionary, replace it, otherwise, return the match unchanged.
    return d.get( match.group(), match.group() )

with open('inquiry') as f:
    for line in f:
        print re.sub( r'\w+', my_replace, line ) 
于 2012-07-20T20:34:25.540 回答
0

从概念上讲,

我可能会首先建立一个编码映射 -> 英语(在内存或 o.

然后,对于地图中的每个编码,扫描您的文件并替换为对应的英文对应代码。

于 2012-07-20T20:35:23.240 回答
0
infile = open('filename.txt','r')
namelist = []
for each in infile.readlines():
    namelist.append((each.split(' ')[0],each.split(' ')[1]))

这将为您提供键值对列表

我不知道你想对那里的结果做什么,你需要更明确

于 2012-07-20T20:35:38.173 回答
0
import re

f = open("dictfile.txt")

d = {}
for mapping in f.readlines():
    l, r = mapping.split(" ")
    d[re.compile(l)] = r.strip("\n")

sql = open("orig.sql")
out = file("translated.sql", "w")

for line in sql.readlines():
    for r in d.keys():
        line = r.sub(d[r], line)
    out.write(line)
于 2012-07-20T21:01:46.723 回答
0
dictionary = '''uu00012 client
uu00013 date
uu00014 f_name
uu00015 l_name'''

dictionary = dict(map(lambda x: (x[1], x[0]), [x.split() for x in dictionary.split('\n')]))

def process_sql(sql, d):
    for k, v in d.items():
        sql = sql.replace(k, v)
    return sql

sql = process_sql('SELECT f_name FROM client;', dictionary)

构建dictionary

{'date': 'uu00013', 'l_name': 'uu00015', 'f_name': 'uu00014', 'client': 'uu00012'}

然后通过你的 SQL 运行并用编码的东西替换人类可读的值。结果是:

SELECT uu00014 FROM uu00012;
于 2012-07-20T20:38:45.113 回答