terminal extrac words ending with ".abc" from file

1.2k Views Asked by At

I want to do the following through the terminal. I have a file with many lines, each line containing a whole sentence. Some lines are empty. I want to read the file and extract all words that end with .abc. I want to do this through the terminal. How might I do that?

4

There are 4 best solutions below

0
On BEST ANSWER

grep can be very usefull

$ cat input

.abc
.abdadf
assadf.abc
adsfas.abcadf
asdf.abc

$ grep -o '\b[^\.]*\.abc\b' input

assadf.abc
asdf.abc

What it does

  • -o prints the string in the line which match the regex given

  • \b[^\.]*\.abc\b regex matches any word wich ends with .abc

    • \b word boundary

    • [^\.] anything other than a .

    • * matches zero or more

    • \.abc\b matches .abc followed by word boundary \b

Note

If the word can contain more than one . then modify the regex as

\b.*\.abc\b

where .* would match anything including .

0
On

You can use sed command also.

sed -n '/\.abc$/ p' file
0
On

Try awk among various other possibities.

awk '/\.abc$/' file
0
On

To find all the words that ends with .abc.

grep -oP '\S*\.abc(?=\s|$)' file
  • \S* Zero or more non-space charcaters.
  • (?=\s|$) Positive lookahead asserts that the character following the match must be a space or end of the line anchor.