次のコードを含むシェル スクリプトがあります。
var=`hg st -R "$path"`
if [ -n "$var" ]; then
echo $var
fi
hg st
ただし、常に少なくとも 1 つの改行文字が出力されるため、条件付きコードは常に実行されます。
- ( PHP
$var
のようtrim()
に)空白を取り除く簡単な方法はありますか?
また
- この問題に対処する標準的な方法はありますか?
簡単な答えは次のとおりです。
echo " lol " | xargs
Xargsがトリミングを行います。これは 1 つのコマンド/プログラムであり、パラメーターはなく、トリミングされた文字列を返します。簡単です!
注:これはすべての内部スペースを削除するわけではないため"foo bar"
、同じままです。なりません"foobar"
。ただし、複数のスペースは 1 つのスペースに凝縮されるため、"foo bar"
になり"foo bar"
ます。さらに、行末文字は削除されません。
先頭、末尾、および中間の空白を含む変数を定義しましょう。
FOO=' test test test '
echo -e "FOO='${FOO}'"
# > FOO=' test test test '
echo -e "length(FOO)==${#FOO}"
# > length(FOO)==16
すべての空白を削除する方法 ( で示され[:space:]
ていますtr
):
FOO=' test test test '
FOO_NO_WHITESPACE="$(echo -e "${FOO}" | tr -d '[:space:]')"
echo -e "FOO_NO_WHITESPACE='${FOO_NO_WHITESPACE}'"
# > FOO_NO_WHITESPACE='testtesttest'
echo -e "length(FOO_NO_WHITESPACE)==${#FOO_NO_WHITESPACE}"
# > length(FOO_NO_WHITESPACE)==12
先頭の空白のみを削除する方法:
FOO=' test test test '
FOO_NO_LEAD_SPACE="$(echo -e "${FOO}" | sed -e 's/^[[:space:]]*//')"
echo -e "FOO_NO_LEAD_SPACE='${FOO_NO_LEAD_SPACE}'"
# > FOO_NO_LEAD_SPACE='test test test '
echo -e "length(FOO_NO_LEAD_SPACE)==${#FOO_NO_LEAD_SPACE}"
# > length(FOO_NO_LEAD_SPACE)==15
末尾の空白のみを削除する方法:
FOO=' test test test '
FOO_NO_TRAIL_SPACE="$(echo -e "${FOO}" | sed -e 's/[[:space:]]*$//')"
echo -e "FOO_NO_TRAIL_SPACE='${FOO_NO_TRAIL_SPACE}'"
# > FOO_NO_TRAIL_SPACE=' test test test'
echo -e "length(FOO_NO_TRAIL_SPACE)==${#FOO_NO_TRAIL_SPACE}"
# > length(FOO_NO_TRAIL_SPACE)==15
先頭と末尾の両方のスペースを削除する方法 - sed
sをチェーンします。
FOO=' test test test '
FOO_NO_EXTERNAL_SPACE="$(echo -e "${FOO}" | sed -e 's/^[[:space:]]*//' -e 's/[[:space:]]*$//')"
echo -e "FOO_NO_EXTERNAL_SPACE='${FOO_NO_EXTERNAL_SPACE}'"
# > FOO_NO_EXTERNAL_SPACE='test test test'
echo -e "length(FOO_NO_EXTERNAL_SPACE)==${#FOO_NO_EXTERNAL_SPACE}"
# > length(FOO_NO_EXTERNAL_SPACE)==14
または、bash がサポートしている場合は、次のように (末尾の空白の場合) に置き換えることができecho -e "${FOO}" | sed ...
ますsed ... <<<${FOO}
。
FOO_NO_TRAIL_SPACE="$(sed -e 's/[[:space:]]*$//' <<<${FOO})"
ワイルドカードと呼ばれるBashビルトインのみを使用するソリューションがあります:
var=" abc "
# remove leading whitespace characters
var="${var#"${var%%[![:space:]]*}"}"
# remove trailing whitespace characters
var="${var%"${var##*[![:space:]]}"}"
printf '%s' "===$var==="
これは、関数でラップされたものと同じです。
trim() {
local var="$*"
# remove leading whitespace characters
var="${var#"${var%%[![:space:]]*}"}"
# remove trailing whitespace characters
var="${var%"${var##*[![:space:]]}"}"
printf '%s' "$var"
}
トリミングする文字列を引用符で囲んだ形式で渡します。例えば:
trim " abc "
このソリューションの良いところは、POSIX準拠のシェルで機能することです。
Bash にはパラメーター展開と呼ばれる機能があり、とりわけ、いわゆるパターン(パターンは正規表現に似ていますが、基本的な違いと制限があります) に基づいて文字列を置換できます。[flussence の元の行: Bash には正規表現がありますが、よく隠されています:]
以下は、変数値からすべての空白を (内部からも)削除する方法を示しています。
$ var='abc def'
$ echo "$var"
abc def
# Note: flussence's original expression was "${var/ /}", which only replaced the *first* space char., wherever it appeared.
$ echo -n "${var//[[:space:]]/}"
abcdef
文字列の先頭と末尾 (行末文字を含む) からすべてのスペースを削除するには:
echo $variable | xargs echo -n
これにより、重複するスペースも削除されます。
echo " this string has a lot of spaces " | xargs echo -n
Produces: 'this string has a lot of spaces'
trim()
{
local trimmed="$1"
# Strip leading space.
trimmed="${trimmed## }"
# Strip trailing space.
trimmed="${trimmed%% }"
echo "$trimmed"
}
例えば:
test1="$(trim " one leading")"
test2="$(trim "one trailing ")"
test3="$(trim " one leading and one trailing ")"
echo "'$test1', '$test2', '$test3'"
出力:
'one leading', 'one trailing', 'one leading and one trailing'
trim()
{
local trimmed="$1"
# Strip leading spaces.
while [[ $trimmed == ' '* ]]; do
trimmed="${trimmed## }"
done
# Strip trailing spaces.
while [[ $trimmed == *' ' ]]; do
trimmed="${trimmed%% }"
done
echo "$trimmed"
}
例えば:
test4="$(trim " two leading")"
test5="$(trim "two trailing ")"
test6="$(trim " two leading and two trailing ")"
echo "'$test4', '$test5', '$test6'"
出力:
'two leading', 'two trailing', 'two leading and two trailing'
グロビングに関する Bash Guide セクションから
パラメータ展開で extglob を使用するには
#Turn on extended globbing
shopt -s extglob
#Trim leading and trailing whitespace from a variable
x=${x##+([[:space:]])}; x=${x%%+([[:space:]])}
#Turn off extended globbing
shopt -u extglob
関数にラップされた同じ機能を次に示します (注: 関数に渡される入力文字列を引用する必要があります)。
trim() {
# Determine if 'extglob' is currently on.
local extglobWasOff=1
shopt extglob >/dev/null && extglobWasOff=0
(( extglobWasOff )) && shopt -s extglob # Turn 'extglob' on, if currently turned off.
# Trim leading and trailing whitespace
local var=$1
var=${var##+([[:space:]])}
var=${var%%+([[:space:]])}
(( extglobWasOff )) && shopt -u extglob # If 'extglob' was off before, turn it back off.
echo -n "$var" # Output trimmed string.
}
使用法:
string=" abc def ghi ";
#need to quote input-string to preserve internal white-space if any
trimmed=$(trim "$string");
echo "$trimmed";
関数を変更してサブシェルで実行する場合、extglob の現在のシェル オプションを調べることを心配する必要はありません。現在のシェルに影響を与えずに設定するだけで済みます。これにより、機能が大幅に簡素化されます。また、位置パラメータを「その場で」更新するので、ローカル変数も必要ありません
trim() {
shopt -s extglob
set -- "${1##+([[:space:]])}"
printf "%s" "${1%%+([[:space:]])}"
}
それで:
$ s=$'\t\n \r\tfoo '
$ shopt -u extglob
$ shopt extglob
extglob off
$ printf ">%q<\n" "$s" "$(trim "$s")"
>$'\t\n \r\tfoo '<
>foo<
$ shopt extglob
extglob off
次の方法で簡単にトリミングできますecho
。
foo=" qsdqsd qsdqs q qs "
# Not trimmed
echo \'$foo\'
# Trim
foo=`echo $foo`
# Trimmed
echo \'$foo\'
私はいつもsedでそれをやった
var=`hg st -R "$path" | sed -e 's/ *$//'`
もっとエレガントな解決策があれば、誰かが投稿してくれることを願っています。
Bash の拡張パターン マッチング機能を有効にすると ( shopt -s extglob
)、次のように使用できます。
{trimmed##*( )}
任意の量の先行スペースを削除します。
次のコマンドで改行を削除できますtr
。
var=`hg st -R "$path" | tr -d '\n'`
if [ -n $var ]; then
echo $var
done
# Trim whitespace from both ends of specified parameter
trim () {
read -rd '' $1 <<<"${!1}"
}
# Unit test for trim()
test_trim () {
local foo="$1"
trim foo
test "$foo" = "$2"
}
test_trim hey hey &&
test_trim ' hey' hey &&
test_trim 'ho ' ho &&
test_trim 'hey ho' 'hey ho' &&
test_trim ' hey ho ' 'hey ho' &&
test_trim $'\n\n\t hey\n\t ho \t\n' $'hey\n\t ho' &&
test_trim $'\n' '' &&
test_trim '\n' '\n' &&
echo passed
これは私がやったことであり、完璧でとても簡単にうまくいきました:
the_string=" test"
the_string=`echo $the_string`
echo "$the_string"
出力:
test
多くの答えがありますが、私が書いたばかりのスクリプトは言及する価値があると信じています。
"$*"
1 つのスペースを使用して複数の引数を結合します。最初の引数のみをトリミングして出力する場合は、"$1"
代わりに使用しますスクリプト:
trim() {
local s2 s="$*"
until s2="${s#[[:space:]]}"; [ "$s2" = "$s" ]; do s="$s2"; done
until s2="${s%[[:space:]]}"; [ "$s2" = "$s" ]; do s="$s2"; done
echo "$s"
}
使用法:
mystring=" here is
something "
mystring=$(trim "$mystring")
echo ">$mystring<"
出力:
>here is
something<
shopt -s extglob
有効にしている場合、以下は適切な解決策です。
これは私のために働いた:
text=" trim my edges "
trimmed=$text
trimmed=${trimmed##+( )} #Remove longest matching series of spaces from the front
trimmed=${trimmed%%+( )} #Remove longest matching series of spaces from the back
echo "<$trimmed>" #Adding angle braces just to make it easier to confirm that all spaces are removed
#Result
<trim my edges>
同じ結果を得るためにそれをより少ない行に配置するには:
text=" trim my edges "
trimmed=${${text##+( )}%%+( )}
古い学校を使用できますtr
。たとえば、これは git リポジトリ内の変更されたファイルの数を返し、空白は削除されます。
MYVAR=`git ls-files -m|wc -l|tr -d ' '`
AWK を使用します。
echo $var | awk '{gsub(/^ +| +$/,"")}1'
スクリプトが変数の割り当てを使用してジョブを実行するのを見たことがあります。
$ xyz=`echo -e 'foo \n bar'`
$ echo $xyz
foo bar
空白は自動的に結合され、トリミングされます。シェルのメタキャラクタに注意する必要があります (潜在的なインジェクションのリスク)。
また、シェル条件で変数置換を常に二重引用符で囲むこともお勧めします。
if [ -n "$var" ]; then
変数内の -o やその他のコンテンツのようなものは、テスト引数を修正する可能性があるためです。
私は単にsedを使用します:
function trim
{
echo "$1" | sed -n '1h;1!H;${;g;s/^[ \t]*//g;s/[ \t]*$//g;p;}'
}
a) 単行文字列での使用例
string=' wordA wordB wordC wordD '
trimmed=$( trim "$string" )
echo "GIVEN STRING: |$string|"
echo "TRIMMED STRING: |$trimmed|"
出力:
GIVEN STRING: | wordA wordB wordC wordD |
TRIMMED STRING: |wordA wordB wordC wordD|
b) 複数行文字列での使用例
string=' wordA
>wordB<
wordC '
trimmed=$( trim "$string" )
echo -e "GIVEN STRING: |$string|\n"
echo "TRIMMED STRING: |$trimmed|"
出力:
GIVEN STRING: | wordAA
>wordB<
wordC |
TRIMMED STRING: |wordAA
>wordB<
wordC|
c) 最後の注意:
関数を使用したくない場合は、単一行の文字列に対して次のような「覚えやすい」コマンドを使用できます。
echo "$string" | sed -e 's/^[ \t]*//' | sed -e 's/[ \t]*$//'
例:
echo " wordA wordB wordC " | sed -e 's/^[ \t]*//' | sed -e 's/[ \t]*$//'
出力:
wordA wordB wordC
複数行の文字列で上記を使用しても同様に機能しますが、GuruM がコメントで気付いたように、末尾/先頭の内部複数スペースもカットされることに注意してください。
string=' wordAA
>four spaces before<
>one space before< '
echo "$string" | sed -e 's/^[ \t]*//' | sed -e 's/[ \t]*$//'
出力:
wordAA
>four spaces before<
>one space before<
したがって、それらのスペースを保持しても構わない場合は、回答の冒頭にある関数を使用してください!
d)関数トリム内で使用される複数行の文字列に対する sed 構文「検索と置換」の説明:
sed -n '
# If the first line, copy the pattern to the hold buffer
1h
# If not the first line, then append the pattern to the hold buffer
1!H
# If the last line then ...
$ {
# Copy from the hold to the pattern buffer
g
# Do the search and replace
s/^[ \t]*//g
s/[ \t]*$//g
# print
p
}'
var=' a b c '
trimmed=$(echo $var)
割り当ては先頭と末尾の空白を無視するため、トリムに使用できます。
$ var=`echo ' hello'`; echo $var
hello
空白をトリミングして正規化する trim() 関数を次に示します。
#!/bin/bash
function trim {
echo $*
}
echo "'$(trim " one two three ")'"
# 'one two three'
そして、正規表現を使用する別の亜種。
#!/bin/bash
function trim {
local trimmed="$@"
if [[ "$trimmed" =~ " *([^ ].*[^ ]) *" ]]
then
trimmed=${BASH_REMATCH[1]}
fi
echo "$trimmed"
}
echo "'$(trim " one two three ")'"
# 'one two three'
左から最初の単語までのスペースとタブを削除するには、次のように入力します。
echo " This is a test" | sed "s/^[ \t]*//"
Cyberciti.biz/tips/delete-leading-spaces-from-front-of-each-word.html
これには、不要なグロブの問題はありません。また、内部の空白は変更されていません($IFS
デフォルトであるに設定されていると仮定します' \t\n'
)。
\t
最初の改行(およびそれを含まない)または文字列の終わりのどちらか早い方まで読み取り、先頭と末尾のスペースと文字の混合を取り除きます。複数の行を保持する(および先頭と末尾の改行を削除する)場合は、read -r -d '' var << eof
代わりにを使用します。ただし、入力にが含まれている場合は\neof
、直前に切り捨てられることに注意してください。(他の形式の空白、つまり、、、\r
および\f
は\v
、$ IFSに追加しても削除されません。)
read -r var << eof
$var
eof
IFS
変数が他の何かに設定されているときに、スクリプトから空白を削除する必要がありました。Perlに依存することでうまくいきました。
# trim() { echo $1; } # This doesn't seem to work, as it's affected by IFS
trim() { echo "$1" | perl -p -e 's/^\s+|\s+$//g'; }
strings="after --> , <-- before, <-- both --> "
OLD_IFS=$IFS
IFS=","
for str in ${strings}; do
str=$(trim "${str}")
echo "str= '${str}'"
done
IFS=$OLD_IFS
trim() は、空白 (およびタブ、印刷できない文字; 簡単にするために空白のみを検討しています) を削除します。ソリューションの私のバージョン:
var="$(hg st -R "$path")" # I often like to enclose shell output in double quotes
var="$(echo "${var}" | sed "s/\(^ *\| *\$\)//g")" # This is my suggestion
if [ -n "$var" ]; then
echo "[${var}]"
fi
「sed」コマンドは、先頭と末尾の空白のみを削除しますが、最初のコマンドにパイプすることもできます:
var="$(hg st -R "$path" | sed "s/\(^ *\| *\$\)//g")"
if [ -n "$var" ]; then
echo "[${var}]"
fi
スペースを 1 つのスペースに削除する:
(text) | fmt -su
Python には、strip()
PHP の と同じように機能する関数があるtrim()
ため、インライン Python を少し実行するだけで、このための簡単に理解できるユーティリティを作成できます。
alias trim='python -c "import sys; sys.stdout.write(sys.stdin.read().strip())"'
これにより、先頭と末尾の空白 (改行を含む) が削除されます。
$ x=`echo -e "\n\t \n" | trim`
$ if [ -z "$x" ]; then echo hi; fi
hi
使用する:
trim() {
local orig="$1"
local trmd=""
while true;
do
trmd="${orig#[[:space:]]}"
trmd="${trmd%[[:space:]]}"
test "$trmd" = "$orig" && break
orig="$trmd"
done
printf -- '%s\n' "$trmd"
}
単体テスト (手動レビュー用):
#!/bin/bash
. trim.sh
enum() {
echo " a b c"
echo "a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a b c "
echo " a N b c "
echo "N a N b c "
echo " Na b c "
echo " a b c N "
echo " a b c N"
}
xcheck() {
local testln result
while IFS='' read testln;
do
testln=$(tr N '\n' <<<"$testln")
echo ": ~~~~~~~~~~~~~~~~~~~~~~~~~ :" >&2
result="$(trim "$testln")"
echo "testln='$testln'" >&2
echo "result='$result'" >&2
done
}
enum | xcheck
これにより、フロントとエンドの複数のスペースがトリミングされます
whatever=${whatever%% *}
whatever=${whatever#* }
以下の関数を作成しました。printf の移植性はよくわかりませんが、このソリューションの優れた点は、文字コードを追加することで「空白」とは何かを正確に指定できることです。
iswhitespace()
{
n=`printf "%d\n" "'$1'"`
if (( $n != "13" )) && (( $n != "10" )) && (( $n != "32" )) && (( $n != "92" )) && (( $n != "110" )) && (( $n != "114" )); then
return 0
fi
return 1
}
trim()
{
i=0
str="$1"
while (( i < ${#1} ))
do
char=${1:$i:1}
iswhitespace "$char"
if [ "$?" -eq "0" ]; then
str="${str:$i}"
i=${#1}
fi
(( i += 1 ))
done
i=${#str}
while (( i > "0" ))
do
(( i -= 1 ))
char=${str:$i:1}
iswhitespace "$char"
if [ "$?" -eq "0" ]; then
(( i += 1 ))
str="${str:0:$i}"
i=0
fi
done
echo "$str"
}
#Call it like so
mystring=`trim "$mystring"`
sdiff
乱雑な出力をクリーンアップするために、いくつかのコードを追加する必要があることがわかりました。
sdiff -s column1.txt column2.txt | grep -F '<' | cut -f1 -d"<" > c12diff.txt
sed -n 1'p' c12diff.txt | sed 's/ *$//g' | tr -d '\n' | tr -d '\t'
これにより、末尾のスペースやその他の非表示の文字が削除されます。
この単純な Bashパラメータ展開を使用します。
$ x=" a z e r ty "
$ echo "START[${x// /}]END"
START[azerty]END
#!/bin/bash
function trim
{
typeset trimVar
eval trimVar="\${$1}"
read trimVar << EOTtrim
$trimVar
EOTtrim
eval $1=\$trimVar
}
# Note that the parameter to the function is the NAME of the variable to trim,
# not the variable contents. However, the contents are trimmed.
# Example of use:
while read aLine
do
trim aline
echo "[${aline}]"
done < info.txt
# File info.txt contents:
# ------------------------------
# ok hello there $
# another line here $
#and yet another $
# only at the front$
#$
# Output:
#[ok hello there]
#[another line here]
#[and yet another]
#[only at the front]
#[]
var=" a b "
echo "$(set -f; echo $var)"
>a b
stdinからトリミングし、任意の入力セパレーター(でも)で動作する単体テストを使用したさらに別のソリューション:$IFS
$'\0'
ltrim()
{
# Left-trim $IFS from stdin as a single line
# $1: Line separator (default NUL)
local trimmed
while IFS= read -r -d "${1-}" -u 9
do
if [ -n "${trimmed+defined}" ]
then
printf %s "$REPLY"
else
printf %s "${REPLY#"${REPLY%%[!$IFS]*}"}"
fi
printf "${1-\x00}"
trimmed=true
done 9<&0
if [[ $REPLY ]]
then
# No delimiter at last line
if [ -n "${trimmed+defined}" ]
then
printf %s "$REPLY"
else
printf %s "${REPLY#"${REPLY%%[!$IFS]*}"}"
fi
fi
}
rtrim()
{
# Right-trim $IFS from stdin as a single line
# $1: Line separator (default NUL)
local previous last
while IFS= read -r -d "${1-}" -u 9
do
if [ -n "${previous+defined}" ]
then
printf %s "$previous"
printf "${1-\x00}"
fi
previous="$REPLY"
done 9<&0
if [[ $REPLY ]]
then
# No delimiter at last line
last="$REPLY"
printf %s "$previous"
if [ -n "${previous+defined}" ]
then
printf "${1-\x00}"
fi
else
last="$previous"
fi
right_whitespace="${last##*[!$IFS]}"
printf %s "${last%$right_whitespace}"
}
trim()
{
# Trim $IFS from individual lines
# $1: Line separator (default NUL)
ltrim ${1+"$@"} | rtrim ${1+"$@"}
}
「トリム」関数は、水平方向の空白をすべて削除します。
ltrim () {
if [[ $# -eq 0 ]]; then cat; else printf -- '%s\n' "$@"; fi | perl -pe 's/^\h+//g'
return $?
}
rtrim () {
if [[ $# -eq 0 ]]; then cat; else printf -- '%s\n' "$@"; fi | perl -pe 's/\h+$//g'
return $?
}
trim () {
ltrim "$@" | rtrim
return $?
}
厳密にはBashではありませんが、これはあなたが望むことなどを行います:
php -r '$x = trim(" hi there "); echo $x;'
小文字にもしたい場合は、次のようにします。
php -r '$x = trim(" Hi There "); $x = strtolower($x) ; echo $x;'
#Execute this script with the string argument passed in double quotes !!
#var2 gives the string without spaces.
#$1 is the string passed in double quotes
#!/bin/bash
var2=`echo $1 | sed 's/ \+//g'`
echo $var2