Difference between two lists using Bash Difference between two lists using Bash bash bash

Difference between two lists using Bash


Use the comm(1) command to compare the two files. They both need to be sorted, which you can do beforehand if they are large, or you can do it inline with bash process substitution.

comm can take a combination of the flags -1, -2 and -3 indicating which file to suppress lines from (unique to file 1, unique to file 2 or common to both).

To get the lines only in the old file:

comm -23 <(sort /tmp/oldList) <(sort /tmp/newList)

To get the lines only in the new file:

comm -13 <(sort /tmp/oldList) <(sort /tmp/newList)

You can feed that into a while read loop to process each line:

while read old ; do    ...do stuff with $olddone < <(comm -23 <(sort /tmp/oldList) <(sort /tmp/newList))

and similarly for the new lines.


The diff command will do the comparing for you.

e.g.,

$ diff /tmp/oldList /tmp/newList

See the above man page link for more information. This should take care of your first part of your problem.


Consider using Ruby if your scripts need readability.

To get the lines only in the old file:

ruby -e "puts File.readlines('/tmp/oldList') - File.readlines('/tmp/newList')"

To get the lines only in the new file:

ruby -e "puts File.readlines('/tmp/newList') - File.readlines('/tmp/oldList')"

You can feed that into a while read loop to process each line:

while read old ; do  ...do stuff with $olddone < ruby -e "puts File.readlines('/tmp/oldList') - File.readlines('/tmp/newList')"