${string:0:3}하나를 사용하면 문자열의 처음 3 자에 액세스 할 수 있다는 것을 알았습니다 . 마지막 세 문자에 액세스하는 똑같이 쉬운 방법이 있습니까?
답변
의 마지막 세 문자 string:
${string: -3}또는
${string:(-3)}( 첫 번째 형식에서 :와 사이의 공간을 생각하십시오 -3).
참조 설명서에서 쉘 매개 변수 확장을 참조하십시오 .
${parameter:offset}
${parameter:offset:length}
Expands to up to length characters of parameter starting at the character
specified by offset. If length is omitted, expands to the substring of parameter
starting at the character specified by offset. length and offset are arithmetic
expressions (see Shell Arithmetic). This is referred to as Substring Expansion.
If offset evaluates to a number less than zero, the value is used as an offset
from the end of the value of parameter. If length evaluates to a number less than
zero, and parameter is not ‘@’ and not an indexed or associative array, it is
interpreted as an offset from the end of the value of parameter rather than a
number of characters, and the expansion is the characters between the two
offsets. If parameter is ‘@’, the result is length positional parameters
beginning at offset. If parameter is an indexed array name subscripted by ‘@’ or
‘*’, the result is the length members of the array beginning with
${parameter[offset]}. A negative offset is taken relative to one greater than the
maximum index of the specified array. Substring expansion applied to an
associative array produces undefined results.
Note that a negative offset must be separated from the colon by at least one
space to avoid being confused with the ‘:-’ expansion. Substring indexing is
zero-based unless the positional parameters are used, in which case the indexing
starts at 1 by default. If offset is 0, and the positional parameters are used,
$@ is prefixed to the list.이 답변은 몇 가지 일반적인 견해를 얻으므로 John Rix 의 의견 을 해결할 가능성을 추가하겠습니다 . 그가 언급했듯이 문자열 길이가 3 미만이면 ${string: -3}빈 문자열로 확장됩니다. 이 경우을 확장 string하려면 다음을 사용할 수 있습니다.
${string:${#string}<3?0:-3}이것은 쉘 산술?: 에서 사용될 수있는 삼항 if 연산자를 사용합니다 . 설명 된대로 오프셋은 산술 표현식이므로 유효합니다.
답변
다음을 사용할 수 있습니다 tail.
$ foo="1234567890"
$ echo -n $foo | tail -c 3
890마지막 세 문자를 얻는 방법은 다음과 같습니다.
echo $foo | rev | cut -c1-3 | rev답변
또 다른 해결 방법은 grep -o약간의 정규식 마법 을 사용 하여 3 개의 문자와 줄 끝을 얻는 것입니다.
$ foo=1234567890
$ echo $foo | grep -o ...$
8903 자 미만의 문자열의 경우 선택적으로 1 ~ 3 개의 마지막 문자를 가져 오려면 egrep다음 정규식과 함께 사용할 수 있습니다 .
$ echo a | egrep -o '.{1,3}$'
a
$ echo ab | egrep -o '.{1,3}$'
ab
$ echo abc | egrep -o '.{1,3}$'
abc
$ echo abcd | egrep -o '.{1,3}$'
bcd5,10마지막 5 ~ 10 개의 문자를 가져 오는 것과 같이 다른 범위를 사용할 수도 있습니다 .
답변
gniourf_gniourf의 질문과 대답을 일반화하기 위해 (이것이 내가 검색 한 것과 같이) , 예를 들어 끝에서 7 번째부터 끝에서 3 번째까지의 문자 범위 를 자르려면 다음 구문을 사용할 수 있습니다.
${string: -7:4}여기서 4는 코스 길이 (7-3)입니다.
또한 gniourf_gniourf의 솔루션이 분명히 최고이고 가장 깔끔하지만 cut 을 사용하여 대체 솔루션을 추가하고 싶었습니다 .
echo $string | cut -c $((${#string}-2))-$((${#string}))$ {# string} 길이를 별도의 변수로 정의하여 두 줄로 수행하면 더 읽기 쉽습니다.
답변
