Skip to content Skip to sidebar Skip to footer

How To Fill The White-space With Info While Leaving The Rest Unchanged?

I am constructing scenery for a Flight Simulator and need to figure out how to edit many lines in a text file (3,579,189 of them). I have TextCrawler Pro, Node, Python SVN and Note

Solution 1:

I would group the lines by being blank or not, using itertools.groupby (only taking the non-blank groups with the if k condition), and add the header/footer for each group. Then flatten the groups using itertools.chain

import itertools

withopen("file.txt") as f, open("fileout.txt","w") as fw:
    fw.writelines(itertools.chain.from_iterable([["BEGIN_POLYGON\n"]+list(v)+["END_POLYGON\n"] for k,v in itertools.groupby(f,key = lambda l : bool(l.strip())) if k]))

key = lambda l : bool(l.strip())) is the grouping key: test for empty line but for line termination

this method doesn't need to read the file fully, so it's suited for very big files. It processes the file line by line so it doesn't hog the memory.

Solution 2:

A quick solution using sed

cat -s file.txt |\
    sed -e 's/^$/END_POLY\nBEGIN_POLYGON/'\
    -e '1i BEGIN_POLYGON'\
    -e '$a END_POLY'
  • cat -s squeezes all blank lines into one
  • the first sed replace blank lines with END_POLY and BEGIN_POLYGON tags
  • the second and last sed prepends and appends the remaining tags to the output

Post a Comment for "How To Fill The White-space With Info While Leaving The Rest Unchanged?"