Linux – How to extract the filename without the extension from a full path

bashfile extensionfilenameslinuxscript

I'm trying to right my first bash script, and at one point a filename is passed to the script as $1. I need to extract the file name without the extension.
Currently, I'm assuming that all extensions are three letters so I remove the last 4 characters to get the file name:

a="${1:0:-4}"

But I need to be able to work with extensions that have more than three characters, like %~n1 in Windows.
Is there any way to extract the file name without the extension from the arguments?

Best Answer

The usual way to do this in bash is to use parameter expansion. (See the bash man page and search for "Parameter Expansion".)

a=${1%.*}

The % indicates that everything matching the pattern following (.*) from the right, using the shortest match possible, is to be deleted from the parameter $1. In this case, you don't need double-quotes (") around the expression.

Related Question