在 Bash 中提取子字符串

Fumbani Banda 2023年1月30日
  1. 在 Bash 中使用 cut 命令提取子字符串
  2. 在 Bash 中使用子字符串扩展提取子字符串
  3. 在 Bash 中使用 IFS 提取子字符串
在 Bash 中提取子字符串

本教程演示了使用 cut 命令、子字符串扩展和内部字段分隔符 (IFS) 在 bash 中提取子字符串的不同方法。

在 Bash 中使用 cut 命令提取子字符串

下面的脚本使用 cut 命令来提取子字符串。-d 选项指定用于将字符串划分为字段的分隔符,而 -f 选项设置要提取的字段的编号。

在我们的例子中,字符串使用 _ 作为分隔符进行分割,为了访问第三个字段,我们将参数 3 传递给 -f 选项。

#!/bin/bash

printf "Script to extract a substring!\n\n"

numbers='one_two_three_four_five'

printf "full string: $numbers\n"

substring=$(echo $numbers | cut -d '_' -f 3)
printf "substring: $substring\n"

运行 bash 脚本如下。

bash substring.sh

从输出中,从字符串 one_two_three_four_five 中提取了子字符串 three

Script to extract a substring!

full string: one_two_three_four_five
substring: three

在 Bash 中使用子字符串扩展提取子字符串

子字符串扩展是一个内置的 bash 功能。它使用以下语法。

$(variable:offset:length)

variable 是包含字符串的变量名称。offset 用于指定开始提取字符串的位置。length 用于指定要提取的字符范围,不包括 offset

下面的脚本将变量名称设置为 numbers,将 offset 设置为 4,将要提取的字符串的 length 设置为 3

#!/bin/bash

printf "Script to extract a substring!\n\n"

numbers='one_two_three_four_five'
substring=${numbers:4:3}

printf "full string: $numbers\n"
printf "substring: $substring\n"

运行 bash 脚本如下。

bash substring.sh

从输出中,从字符串 one_two_three_four_five 中提取了子字符串 two

Script to extract a substring!

full string: one_two_three_four_five
substring: two

在 Bash 中使用 IFS 提取子字符串

IFS 代表内部字段分隔符。IFS 用于扩展后的单词拆分,并使用内置的读取命令将行拆分为单词。

在下面的脚本中,IFS 已设置为 _。这意味着它应该使用 _ 作为分隔符拆分变量 numbers 中的字符串。一旦字符串被拆分,我们就可以使用语法 $[integer] 访问单词。第一个单词可以通过 $1 访问,第二个单词可以通过 $2 访问,第三个单词可以通过 $3 访问,依此类推。

#!/bin/bash

printf "Script to extract a substring!\n\n"

numbers='one_two_three_four_five'
IFS="_"
set $numbers

printf "full string: $numbers\n"
printf "substring: $2\n"

运行 bash 脚本如下。

bash substring.sh

从输出中,从字符串 one_two_three_four_five 中提取了子字符串 two

Script to extract a substring!

full string: one_two_three_four_five
substring: two
作者: Fumbani Banda
Fumbani Banda avatar Fumbani Banda avatar

Fumbani is a tech enthusiast. He enjoys writing on Linux and Python as well as contributing to open-source projects.

LinkedIn GitHub

相关文章 - Bash String