in reply to Re: to avoid redundacy in a file
in thread to avoid redundacy in a file

To avoid redundancy in your code, you could do this:
my %seen; while (<>) { next if ($seen{$_}++); print; }
You can do it in one shot, so you might as well. Note that this code eliminates all duplicate lines, not just repeated ones. If you want to just ditch repeats, use this:
my $last; while (<>) { next if ($_ eq $last); $last = $_; print; }
Thus lines "A A A B B B A A C C" will be "A B A C" not "A B C" as in the previous bit.

Replies are listed 'Best First'.
Re^3: to avoid redundacy in a file
by Aristotle (Chancellor) on Jul 15, 2002 at 13:55 UTC
    You can do it in one shot, so you might as well.
    That makes your second snippet
    my $prev; while (<>) { next if ($_ eq $prev); print $prev = $_; }
    :^)

    Wait, we can shorten that..
    my $prev; while (<>) { print $prev = $_ unless $_ eq $prev; }
    Hmm..
    my $prev; $_ ne $prev and print $prev = $_ while <>;
    Err.. sorry, got carried away for a second.. Perl is just too seductive. Sigh. :-)

    Makeshifts last the longest.

      I was going to condense it down to a single line:
      % perl -ne '$p ne$_&&print;$p=$_' ...