1. 程式人生 > >Shell處理字串常用方法

Shell處理字串常用方法

一、構造字串
直接構造
STR_ZERO=hello
STR_FIRST="i am a string"
STR_SECOND='success'

重複多次
#repeat the first parm($1) by $2 times
strRepeat()
{
local x=$2
if [ "$x" == "" ]; then
x=0
fi

local STR_TEMP=""
while [ $x -ge 1 ];
do
STR_TEMP=`printf "%s%s" "$STR_TEMP" "$1"`
x=`expr $x - 1`
done
echo $STR_TEMP
}

舉例:
STR_REPEAT=`strRepeat "$USER_NAME" 3`
echo "repeat = $STR_REPEAT"

二、賦值與拷貝

直接賦值
與構造字串一樣
USER_NAME=terry

從變數賦值
ALIASE_NAME=$USER_NAME

三、聯接
直接聯接兩個字串
STR_TEMP=`printf "%s%s" "$STR_ZERO" "$USER_NAME"`
使用printf可以進行更復雜的聯接

四、求長
獲取字串變數的長度:${#string}

求字元數(char)
COUNT_CHAR=`echo "$STR_FIRST" | wc -m`
echo $COUNT_CHAR

求位元組數(byte)
COUNT_BYTE=`echo "$STR_FIRST" | wc -c`
echo $COUNT_BYTE

求字數(word)
COUNT_WORD=`echo "$STR_FIRST" | wc -w`
echo $COUNT_WORD

五、比較

相等比較 str1 = str2
不等比較 str1 != str2

舉例:
if [ "$USER_NAME" = "terry" ]; then
echo "I am terry"
fi

小於比較
#return 0 if the two string is equal, return 1 if $1 < $2, else 2strCompare() { local x=0 if [ "$1" != "$2" ]; then x=2 localTEMP=`printf "%s\n%s" "$1" "$2"` local TEMP2=`(echo "$1"; echo "$2") |sort` if [ "$TEMP" = "$TEMP2" ]; then x=1 fi fi echo $x }

六、
測試

判空 -z str
判非空 -n str

是否為數字
# return 0 if the string is num, otherwise 1
strIsNum()
{
local RET=1
if [ -n "$1" ]; then
local STR_TEMP=`echo "$1" | sed 's/[0-9]//g'`
if [ -z "$STR_TEMP" ]; then
RET=0
fi
fi
echo $RET
}

舉例:
if [ -n "$USER_NAME" ]; then
echo "my name is NOT empty"
fi

echo `strIsNum "9980"`

七、分割
以符號+為準,將字元分割為左右兩部分
使用sed
舉例:
命令 date --rfc-3339 seconds 的輸出為
2007-04-14 15:09:47+08:00
取其+左邊的部分
date --rfc-3339 seconds | sed 's/+[0-9][0-9]:[0-9][0-9]//g'
輸出為
2007-04-14 15:09:47
取+右邊的部分
date --rfc-3339 seconds | sed 's/.*+//g'
輸出為
08:00

以空格為分割符的字串分割
使用awk
舉例:
STR_FRUIT="Banana 0.89 100"
取第3欄位
echo $STR_FRUIT | awk '{ print $3; }'

八、子字串
字串1是否為字串2的子字串
# return 0 is $1 is substring of $2, otherwise 1
strIsSubstring()
{
local x=1
case "$2" in
*$1*) x=0;;
esac
echo $x
}