Bash 문자열 자르기

When working with strings in the Bash shell in Linux, it is often necessary to extract specific portions of the string or cut it into smaller parts based on certain criteria. This process is commonly referred to as “string slicing” or “string splitting”. In this blog post, we will explore various approaches and examples to effectively perform string slicing in bash.

Using Substring Extraction

The substring extraction method allows you to extract a portion of a string based on a specific start and end position. Here’s a basic syntax for substring extraction in bash:

${string: start : length}

Let’s consider an example to better understand this approach. Suppose we have a string sentence="Hello, World!" and we want to extract the substring “World” from it. We can achieve this using the following code:

sentence="Hello, World!"
substring=${sentence:7:5}
echo $substring  # Output: World

In this example, the substring extraction begins at index 7 and continues for a length of 5 characters, resulting in the desired “World” substring.

Splitting Strings with Delimiters

Another common requirement is to split a string into smaller parts using a specific delimiter. The cut command in bash provides a convenient way to achieve this. Here’s the basic syntax for using cut:

cut -d 'delimiter' -f field_number(s)

Let’s suppose we have a string sentence="Apples,Oranges,Bananas" and we want to split it into individual fruits. We can accomplish this using the following code:

sentence="Apples,Oranges,Bananas"
fruits=$(echo $sentence | cut -d ',' -f 1-3)
echo $fruits  # Output: Apples Oranges Bananas

In this example, we have specified the comma (‘,’) as the delimiter using the -d option and specified the range of fields (1-3) to extract using the -f option. As a result, we obtain individual fruits separated by spaces.

Conclusion

Being able to slice and split strings in bash is essential for manipulating and working with textual data efficiently. In this blog post, we explored two common methods for string slicing: substring extraction and splitting strings with delimiters using the cut command. These techniques will empower you to effectively manipulate and extract relevant portions of strings to fit your needs in Linux using bash scripting.