25

I'm trying to write 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 characters, 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?

Hazem
  • 103

3 Answers3

46

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.

garyjohn
  • 36,494
32

If you know the extension, you can use basename

$ basename /home/jsmith/base.wiki .wiki
base
Zombo
  • 1
2

One-liner in Bash without using basename:

$ s=/the/path/foo.txt
$ echo "$(b=${s##*/}; echo ${b%.*})"
foo
LuckyDams
  • 21
  • 2