これは完全にbash内で行うことができます。bashのループで文字列操作を行うのは遅いですが、シェル操作の数が対数である単純なアルゴリズムがあるため、純粋なbashは長い文字列でも実行可能なオプションです。
longest_common_prefix () {
local prefix= n
## Truncate the two strings to the minimum of their lengths
if [[ ${#1} -gt ${#2} ]]; then
set -- "${1:0:${#2}}" "$2"
else
set -- "$1" "${2:0:${#1}}"
fi
## Binary search for the first differing character, accumulating the common prefix
while [[ ${#1} -gt 1 ]]; do
n=$(((${#1}+1)/2))
if [[ ${1:0:$n} == ${2:0:$n} ]]; then
prefix=$prefix${1:0:$n}
set -- "${1:$n}" "${2:$n}"
else
set -- "${1:0:$n}" "${2:0:$n}"
fi
done
## Add the one remaining character, if common
if [[ $1 = $2 ]]; then prefix=$prefix$1; fi
printf %s "$prefix"
}
標準ツールボックスにはcmp
、バイナリファイルを比較するためのものが含まれています。デフォルトでは、最初の異なるバイトのバイトオフセットを示します。一方の文字列がもう一方の文字列の接頭辞である場合は、特別な場合がありcmp
ます。STDERRで異なるメッセージが生成されます。これに対処する簡単な方法は、最も短い文字列を取得することです。
longest_common_prefix () {
local LC_ALL=C offset prefix
offset=$(export LC_ALL; cmp <(printf %s "$1") <(printf %s "$2") 2>/dev/null)
if [[ -n $offset ]]; then
offset=${offset%,*}; offset=${offset##* }
prefix=${1:0:$((offset-1))}
else
if [[ ${#1} -lt ${#2} ]]; then
prefix=$1
else
prefix=$2
fi
fi
printf %s "$prefix"
}
cmp
はバイトを操作しますが、bashの文字列操作は文字を操作することに注意してください。これにより、マルチバイトロケール、たとえばUTF-8文字セットを使用するロケールに違いが生じます。上記の関数は、バイト文字列の最長の接頭辞を出力します。このメソッドで文字列を処理するには、まず文字列を固定幅エンコーディングに変換します。ロケールの文字セットがUnicodeのサブセットであると想定すると、UTF-32はその目的に適合します。
longest_common_prefix () {
local offset prefix LC_CTYPE="${LC_ALL:=$LC_CTYPE}"
offset=$(unset LC_ALL; LC_MESSAGES=C cmp <(printf %s "$1" | iconv -t UTF-32) \
<(printf %s "$2" | iconv -t UTF-32) 2>/dev/null)
if [[ -n $offset ]]; then
offset=${offset%,*}; offset=${offset##* }
prefix=${1:0:$((offset/4-1))}
else
if [[ ${#1} -lt ${#2} ]]; then
prefix=$1
else
prefix=$2
fi
fi
printf %s "$prefix"
}