0

我需要 Python 字符串操作方面的帮助(我将之前的 looong 问题归结为下面的这个问题)。

对于文件中的这一行:

L20B, CVS=1, HTYP=16, MLV=25

第二个字段可以是 CVS 或 VS。相关数据将一直显示到行尾。

需要将 CVS 或 VS 开头的部分替换为另一个字符串:

if CVS found, then replacement is CFIXD(0,1,0) -OR-
if VS found, then replacement is FIXD(0,1,0)

例子:

old line: L20B, CVS=1, HTYP=16, MLV=25
new line: L20B, CFIXD(0,1,0)

Old line: T10, M312, P10, Z3710, CL=L1, RH=1  (here, identify RH only and replace with)
New line: T10, M312, P10, Z3710, CL=L1, FIXD(0,1,0)

Old line: T20, M312, P20, Z100, CKR=10000 DV(0,1,0) 
New line: T20, M312, P20, Z100, CLS(0,1,0), MU=0.35

So, the replacement string keeps changing with what is found.
CVS or VS (till end of line) is replaced with CFIXD(0,1,0) or FIXD(0,1,0)
CRH or RH (till end of line) is replaced with CVR(0,1,0) or VR(0,1,0)
CFIXD or FIXD (till end of line) is replaced with CVR(0,1,0) or VR(0,1,0)
20 other variants.

Also, is it possible to modify the re.sub() expression to identify something in the search string and carry it over to the replacement string?
For e.g., 
Search for CFIXD(x,y,z) - replace with CVR (x,y,z) 

我无法搜索确切的子字符串(“CVS=1,HTYP=16,MLV=25”),因为 CVS(或 VS)之后的数据可能有许多不同的变体,例如

CVS=2, HTYP=11, MLV=25 
VS=4, HTYP=9, MLV=5      etc. 

您可以看到的长度也可能不同。我唯一确定的是,以 CVS 或 VS 开头的字符串一直到该行的末尾。据我所知,由于上述不同的长度和数据,string.replace 将不起作用。

任何现成的 Python 方法?还是我必须编写一个小程序来做到这一点?我可以找到 VS 或 CVS 的索引(使用 string.find),然后替换从该点到行尾的所有内容,是吗?我知道有一种简单的(不适合我)正则表达式方式。谢谢。

4

2 回答 2

3

使用正则表达式:

import re
re.sub(r'(C|)VS=.*', r'\1FIXD(0,1,0)', line)

解释:

# regex
  (C|)         # optionally match a 'C', save it or an empty string in group 1
  VS=          # match 'VS='
  .*           # match to the end of the line

# replacement
  \1           # the contents of group 1 (either 'C' or an empty string)
  FIXD(0,1,0)  # the literal string 'FIXD(0,1,0)'

例子:

>>> re.sub(r'(C|)VS=.*', r'\1FIXD(0,1,0)', 'L20B, CVS=1, HTYP=16, MLV=25')
'L20B, CFIXD(0,1,0)'
>>> re.sub(r'(C|)VS=.*', r'\1FIXD(0,1,0)', 'L20C, VS=4, HTYP=9, MLV=5')
'L20C, FIXD(0,1,0)'

编辑:根据您的编辑,这里有一些针对您不同情况的替代方案:

  • CVS 或 VS -> CFIXD(0,1,0) 或 FIXD(0,1,0)

    re.sub(r'(C|)VS=.*', r'\1FIXD(0,1,0)', line)
    
  • CRH 或 RH -> CVR(0,1,0) 或 VR(0,1,0)

    re.sub(r'(C|)RH=.*', r'\1VR(0,1,0)', line)
    
  • CFIXD(x,y,z) 或 VIXD(x,y,z) -> CVR(x,y,z) 或 VR(x,y,z)

    re.sub(r'(C|)FIXD(\([^)]*\)).*', r'\1VR\2', line)
    

解释(\([^)]\)).*

(         # start second capture group
   \(       # match a literal '('
   [^)]*    # match any number of characters that are not ')'
   \)       # match a literal ')'
)         # end capture group
.*        # match to the end of the line
于 2012-12-13T19:53:32.587 回答
1

您可以使用正则表达式,但对我来说,将字符串拆分为列表会更直接:

line = "L20B, CVS=1, HTYP=16, MLV=25"

line = line.split(", ")
if line[1].startswith("CVS="):
    line[1:] = ["CFIXD(0,1,0)"]
elif line[1].startswith("VS="):
    line[1:] = ["FIXD(0,1,0)"]

line = ", ".join(line)

这两种情况可以结合一些 jiggery-pokery,因为它们非常相似,但它们看起来完全可读。

于 2012-12-13T20:03:21.063 回答