Not all shells set the $COLUMNS variable to the width of the terminal.
bash versions prior to 5.0 only set it when interactive, not in scripts. However, since version 4.3, you can still enable it in non-interactive shells with shopt -s checkwinsize.
In either case, there is however a twist: with that option enabled in non-interactive shells (enabled by default since 5.0), $COLUMNS/$LINES are not set until a child process has been waited for and exited (the NEWS entry in the source mentions after a foreground job exits, which is a bit misleading given that there's no job control by default in non-interactive shells). So you need to make sure an external command or subshell has been run synchronously before using those variables:
#! /bin/bash -
shopt -s checkwinsize # for versions 4.3 and 4.4
(:) # start a synchronous subshell that runs the null command
echo "$COLUMNS $LINE"
Also note that it only happens if stderr goes to the terminal (and if not, $COLUMNS remains unset), so you may want to use something like ${COLUMNS:-80} to use a saner default when bash can't determine the screen width.
Alternatively, you could switch to zsh which always sets $COLUMNS even when non-interactive as long as it's running in a terminal (and $COLUMNS defaults to 80 otherwise) or, in any Bourne-like shell use ${COLUMNS:=$(tput cols)} in place of $COLUMNS for $COLUMNS to be set from the output of tput cols if it was previously unset or empty.
If tput cols doesn't work on your system, you can try </dev/tty stty size | awk '{print $2}', or zsh -c 'print $COLUMNS'
Beware however that once $COLUMNS has been set in that way, it won't get updated whenever the terminal is resized¹, so you may want to use $(tput cols) always instead so the terminal size is queried every time you print centred text in your script.
Also beware that printf '%*s' in shells other than zsh and fish pads text to the given number of bytes not characters, so that approach can only be used to pad text containing single byte, single width characters which in locales using UTF-8 is limited to the US-ASCII ones (0.011% of all possible characters).
If using zsh instead of bash, you could use its left and right padding parameter expansion flags instead (which can even handle zero-width or double-width characters with the m flag):
print -r -- ${(ml[COLUMNS/2]r[COLUMNS-COLUMNS/2])fname}
¹ though on most systems you could install a handler for the SIGWINCH signal as @zevzek showed in comments which would help in the most common cases.
 
                