Limit grep context to N characters on line

Try to use this one:

grep -r -E -o ".{0,10}wantedText.{0,10}" *

-E tells, that you want to use extended regex

-o tells, that you want to print only the match

-r grep is looking for result recursively in the folder

REGEX:

{0,10} tells, how many arbitrary characters you want to print

. represents an arbitrary character (a character itself wasn't important here, just their number)

Edit: Oh, I see, that Joseph recommends almost the same solution as I do :D


With GNU grep:

N=10; grep -roP ".{0,$N}foo.{0,$N}" .

Explanation:

  • -o => Print only what you matched
  • -P => Use Perl-style regular expressions
  • The regex says match 0 to $N characters followed by foo followed by 0 to $N characters.

If you don't have GNU grep:

find . -type f -exec \
    perl -nle '
        BEGIN{$N=10}
        print if s/^.*?(.{0,$N}foo.{0,$N}).*?$/$ARGV:$1/
    ' {} \;

Explanation:

Since we can no longer rely on grep being GNU grep, we make use of find to search for files recursively (the -r action of GNU grep). For each file found, we execute the Perl snippet.

Perl switches:

  • -n Read the file line by line
  • -l Remove the newline at the end of each line and put it back when printing
  • -e Treat the following string as code

The Perl snippet is doing essentially the same thing as grep. It starts by setting a variable $N to the number of context characters you want. The BEGIN{} means this is executed only once at the start of execution not once for every line in every file.

The statement executed for each line is to print the line if the regex substitution works.

The regex:

  • Match any old thing lazily1 at the start of line (^.*?) followed by .{0,$N} as in the grep case, followed by foofollowed by another .{0,$N} and finally match any old thing lazily till the end of line (.*?$).
  • We substitute this with $ARGV:$1. $ARGV is a magical variable that holds the name of the current file being read. $1 is what the parens matched: the context in this case.
  • The lazy matches at either end are required because a greedy match would eat all characters before foo without failing to match (since .{0,$N} is allowed to match zero times).

1That is, prefer not to match anything unless this would cause the overall match to fail. In short, match as few characters as possible.


Piping stdout to cut with the -b flag; you can instruct grep's output to only bytes 1 through 400 per line.

grep "foobar" * | cut -b 1-400

Tags:

Search

Grep

Json