I am working on a shell script to work with sqlplus (oracle), in code part below:
#!/usr/bin/bash
################ Checking tables ###################
TABLES=$(sqlplus -s ${DBUSER}/${DBPASS}@${DBHOST} <<EOF
...
EOF
)
SuccessTabs=$TABLES
########## Export data from tables to file #########
for TABLE in $TABLES
do
echo "--- Processing $TABLE ---" >> $Log
FILE=$TABLE.csv
TotFiles=$TotFiles$FILE" " -------------------------> (1) Not understand this line ?
sqlplus -s ${DBUSER}/${DBPASS}@${DBHOST} <<EOF
...
SPOOL $FILE
Select ... FROM $TABLE;
SPOOL OFF
EXIT
EOF
return=$?
if [ $return != 0 ]
then
SuccessTabs=({$SuccessTabs[@]/$TABLE}) -------------> (2) Not understand this line ?
else
echo "--- $TABLE.csv process success ---" >> $Log
fi
done
echo "--- Process all tables success --- " >> $Log
echo "$SuccessTabs " >> $Log
FinalFile=FINAL_"_"${rundate}_${logtime}".csv"
echo "--- Merge all files into $FinalFile ---" >> $Log
cat $TotFiles > $FinalFile
The question is I have two command lines even I know literally what it is used for print out result, but still not understand what its syntax and mechanism.
(1) TotFiles=$TotFiles$FILE" "
what is double quote with space at the end used for and why syntax like this ?
(2) SuccessTabs=({$SuccessTabs[@]/$TABLE})
what is []
, @
, /
combine together used for in this command and why syntax like this, especially for [@]
, I would like to know what is this ?
Could someone help me to figure out ? Thank you.
Let's talk about
[@]
first. In bash you can declare an array like so:You can echo the contents of testarray by doing this:
Result:
box cat dog
Now, let's see an interesting behavior:
See what happened here? Find dog and replace it with nothing. Check this out:
That just replaced dog with pig.
So, the answer to your 2nd question is that if
SuccessTabs
array contains the same text as in$TABLE
, that text is replaced with nothing. The result is assigned back to variableSuccessTabs
.So what's the
TotFiles=$TotFiles$FILE" "
doing? Taking the same test array example, let's loop through all its values.So, in the 1st loop,
$testvar
is nothing.$item
isbox
.$testvar$item".."
isbox..
. This value is assigned totestvar
variable.In the 2nd loop,
$testvar
isbox..
.$item
iscat
.$testvar$item".."
isbox..cat..
. This value is assigned totestvar
variable.In the 3rd loop,
$testvar
isbox..cat..
.$item
isdog
.$testvar$item".."
isbox..cat..dog..
. This value is assigned totestvar
variable.Similarly, if TABLES is a list/array containing
box cat dog
, $FILE will be box.csv, cat.csv and dog.csv during each iteration of TABLES.TotFiles=$TotFiles$FILE" "
will becomebox.csv cat.csv dog.csv
.See more examples in two places:
My examples above may have inaccuracies. The goal was to give you an example of how to get the information you were looking for.