我有一个包含字符串的文件
@H_502_1@ipAddress=10.78.90.137;10.78.90.149
我想将这两个IP地址放在一个bash数组中.为了达到这个目的,我尝试了以下几点:
@H_502_1@n=$(grep -i ipaddress /opt/ipfile | cut -d'=' -f2 | tr ';' ' ')这导致提取值,但由于某些原因,数组的大小返回为1,我注意到这两个值都被标识为数组中的第一个元素.那是
@H_502_1@echo ${n[0]}回报
@H_502_1@10.78.90.137 10.78.90.149我该如何解决?
谢谢您的帮助!
你真的需要一个数组吗
原文链接:https://www.f2er.com/bash/386710.html庆典
@H_502_1@$ipAddress="10.78.90.137;10.78.90.149" $IFS=";" $set -- $ipAddress $echo $1 10.78.90.137 $echo $2 10.78.90.149 $unset IFS $echo $@ #this is "array"如果你想放入数组
@H_502_1@$a=( $@ ) $echo ${a[0]} 10.78.90.137 $echo ${a[1]} 10.78.90.149@OP,关于您的方法:将您的IFS设置为空格
@H_502_1@$IFS=" " $n=( $(grep -i ipaddress file | cut -d'=' -f2 | tr ';' ' ' | sed 's/"//g' ) ) $echo ${n[1]} 10.78.90.149 $echo ${n[0]} 10.78.90.137 $unset IFS此外,没有必要使用这么多工具.你可以使用awk,或者只是使用bash shell
@H_502_1@#!/bin/bash declare -a arr while IFS="=" read -r caption addresses do case "$caption" in ipAddress*) addresses=${addresses//[\"]/} arr=( ${arr[@]} ${addresses//;/ } ) esac done < "file" echo ${arr[@]}产量
@H_502_1@$more file foo bar ipAddress="10.78.91.138;10.78.90.150;10.77.1.101" foo1 ipAddress="10.78.90.137;10.78.90.149" bar1 $./shell.sh 10.78.91.138 10.78.90.150 10.77.1.101 10.78.90.137 10.78.90.149呆子
@H_502_1@$n=( $(gawk -F"=" '/ipAddress/{gsub(/\"/,"",$2);gsub(/;/," ",$2) ;printf $2" "}' file) ) $echo ${n[@]} 10.78.91.138 10.78.90.150 10.77.1.101 10.78.90.137 10.78.90.149