![]() |
[SOLVED] Delete specific characters from string lines - Printable Version +- Python Forum (https://python-forum.io) +-- Forum: Python Coding (https://python-forum.io/forum-7.html) +--- Forum: General Coding Help (https://python-forum.io/forum-8.html) +--- Thread: [SOLVED] Delete specific characters from string lines (/thread-35329.html) |
[SOLVED] Delete specific characters from string lines - EnfantNicolas - Oct-21-2021 [Solved] I have this file right here, which is an extract of a much bigger file. Quote:CSCIR, 30, 0, 0 I already made code for Python to detect the starting point thanks to help from this forum (thanks a lot btw, advice worked wonders). (EUREKA) marks this starting point. Now I simply want to remove one 0 after E+ in every instance. Example: 1163065 0 0 1.2309330490000E+001 1.4094185190000E+002-2.6164289660000E+000 becomes 1163065 0 0 1.2309330490000E+01 1.4094185190000E+02-2.6164289660000E+00 RE: Delete specific characters from string lines - snippsat - Oct-21-2021 Here a hint. >>> line = '1163065 0 0 1.2309330490000E+001 1.4094185190000E+002-2.6164289660000E+000' >>> line = line[:-1] >>> line '1163065 0 0 1.2309330490000E+001 1.4094185190000E+002-2.6164289660000E+00'So when read(line bye line) do a check that eg that E+000 is in line then do operation over else: do nothing.
RE: Delete specific characters from string lines - EnfantNicolas - Oct-21-2021 I'm guessing line = line[-1] means that Python will delete the first character starting from the end? Meaning that to delete the ones in the middle and left, I'd have to do something like line = line[-1,-20,40] assuming the zeros there are on the 20th and 40th spot. Is this correct? RE: [SOLVED] Delete specific characters from string lines - snippsat - Oct-21-2021 (Oct-21-2021, 09:54 AM)EnfantNicolas Wrote: Meaning that to delete the ones in the middle and left, I'd have to do something like line = line[-1,-20,40] assuming the zeros there are on the 20th and 40th spot.I did read it to quick and only removed last one in last E+000. regex is easier for this task when need to change in serval places. >>> import re >>> >>> line = '1163065 0 0 1.2309330490000E+001 1.4094185190000E+002-2.6164289660000E+000' >>> result = re.sub(r"E\+00", r"E+0", line) >>> result '1163065 0 0 1.2309330490000E+01 1.4094185190000E+02-2.6164289660000E+00' RE: [SOLVED] Delete specific characters from string lines - EnfantNicolas - Oct-21-2021 Yes I did something similar without importing regex. copy.write(line.replace("E+0", "E+")) |