EN
Bash - reverse variable
0 points
In this article, we would like to show you how to reverse variable passed from command line using Bash.
To reverse the string we use:
#
operator - to get string length,for
loop - to iterate the string backwards, constructing thereversed
string by adding characters one by one from the end to the start.
Example ./script.sh
file:
xxxxxxxxxx
1
2
3
variable="123"
4
reversed=""
5
6
for ((i=${#variable}-1; i>=0; --i))
7
do
8
reversed="$reversed${variable:$i:1}"
9
done
10
11
echo "variable: $variable reversed: $reversed"
Run in command line:
xxxxxxxxxx
1
./script.sh
Output:
xxxxxxxxxx
1
variable: 123 result: 321
Example ./script.sh
file:
xxxxxxxxxx
1
2
3
variable="$1"
4
reversed=""
5
6
for ((i=${#variable}-1; i>=0; --i))
7
do
8
reversed="$reversed${variable:$i:1}"
9
done
10
11
echo "$reversed"
Run in command line:
xxxxxxxxxx
1
./script.sh "Example text..."
Output:
xxxxxxxxxx
1
...txet elpmaxE
xxxxxxxxxx
1
2
3
function reverse_string() {
4
local string="$1"
5
local result=""
6
for ((i=${#string}-1; i>=0; --i))
7
do
8
result="$result${string:$i:1}"
9
done
10
echo "$result";
11
}
12
13
14
# Usage example 1:
15
16
reverse_string "123"
17
reverse_string "abc"
18
19
20
# Usage example 2:
21
22
string_1="123"
23
result_1="$(reverse_string "$string_1")"
24
25
string_2="abc"
26
result_2="$(reverse_string "$string_2")"
27
28
echo "string: $string_1 result: $result_1"
29
echo "string: $string_2 result: $result_2"
Output:
xxxxxxxxxx
1
321
2
cba
3
string: 123 result: 321
4
string: abc result: cba