You have a couple of things working against you. First, avoid the use of let, it is an antiquated shell feature. Instead use POSIX arithmetic ((...)).
Next, $abc${n}xyz is expanded as $abc (which isn't defined) and ${n}xyz which is "6xyz" and isn't decimal, octal or hex so it is a number too great for base.
Using POSIX arithmetic in bash, you could change your script, incorporating ((...)) as:
#!/bin/bash
n=6
tot=5
abc6xyz="$tot"
((abc6xyz+=tot)) ## use arithmetic operators ((..))
echo "abc6xyz $abc6xyz"
((abc${n}xyz+=tot)) ## then use indirection, e.g. ${!foo}
echo "abc6xyz $abc6xyz"
Example Use/Output
$ bash -x /tmp/tmp-david/bashindir.sh
+ n=6
+ tot=5
+ abc6xyz=5
+ (( abc6xyz+=tot ))
+ echo 'abc6xyz 10'
abc6xyz 10
+ (( abc6xyz+=tot ))
+ echo 'abc6xyz 15'
abc6xyz 15
Adding Indirection or final=$((...))
In the comments you explain you wish to take the number to include as n= as the first argument (positional parameter) to your script. In that case to access the total value after all of your additions, either use indirection or assign the final result of $((...)).
For example, using indirection:
#!/bin/bash
((abc${1}xyz+=5))
((abc${1}xyz+=5))
foo="abc${1}xyz"
echo "abc${1}xyz: ${!foo}"
Example Use/Output
$ bash -x /tmp/tmp-david/redir.sh 6
+ (( abc6xyz+=5 ))
+ (( abc6xyz+=5 ))
+ foo=abc6xyz
+ echo 'abc6xyz: 10'
abc6xyz: 10
Or preferably just assign the result of the last arithmetic operation, e.g.
#!/bin/bash
((abc${1}xyz+=5))
final=$((abc${1}xyz+=5))
echo "abc${1}xyz: $final"
Example Use/Output
$ bash -x /tmp/tmp-david/assign.sh 6
+ (( abc6xyz+=5 ))
+ final=10
+ echo 'abc6xyz: 10'
abc6xyz: 10