列出列表中其他字符串的子字符串

列出列表中其他字符串的子字符串

我有一个这样的名字列表:

dog_bone
dog_collar
dragon
cool_dragon
lion
lion_trainer
dog

我需要提取出现在其他名称中的名称,如下所示:

dragon
lion
dog

我浏览了uniq手册页,但它似乎比较整行,而不是字符串。有没有办法用 bash 函数来做到这一点?

答案1

file=/the/file.txt
while IFS= read -r string; do
  grep -Fe "$string" < "$file" | grep -qvxFe "$string" &&
    printf '%s\n' "$string"
done < "$file"

文件的每一行运行一个read、两个grep甚至有时一个printf命令,因此效率不会很高。

您可以在一次调用中完成所有事情awk

awk '{l[NR]=$0}
     END {
       for (i=1; i<=NR; i++)
         for (j=1; j<=NR; j++)
           if (j!=i && index(l[j], l[i])) {
             print l[i]
             break
           }
     }' < "$file"

但这意味着整个文件都存储在内存中。

答案2

巴什

names=(
  dog_bone
  dog_collar
  dragon
  cool_dragon
  lion
  lion_trainer
  dog
)

declare -A contained                 # an associative array
for (( i=0; i < ${#names[@]}; i++ )); do 
    for (( j=0; j < ${#names[@]}; j++ )); do 
        if (( i != j )) && [[ ${names[i]} == *"${names[j]}"* ]]; then
            contained["${names[j]}"]=1
        fi 
    done
done
printf "%s\n" "${!contained[@]}"    # print the array keys
dog
dragon
lion

答案3

这是 Perl 方法。这还需要将文件加载到内存中:

perl -le '@f=<>; foreach $l1 (@f){ 
                    chomp($l1); 
                    foreach $l2 (@f){ 
                        chomp($l2); 
                        next if $l1 eq $l2; 
                        $k{$l1}++ if $l2=~/$l1/;
                    }
                } print join "\n", keys %k' file

答案4

这是一个bash版本4.x解决方案:

#!/bin/bash

declare -A output
readarray input < '/path/to/file'

for i in "${input[@]}"; do
  for j in "${input[@]}"; do
    [[ $j = "$i" ]] && continue
    if [ -z "${i##*"$j"*}" ]; then
      if [[ ! ${output[$j]} ]]; then
        printf "%s\n" "$j"
        output[$j]=1
      fi
    fi
  done
done

相关内容