Using 'find' to return filenames without extension

27,670

Solution 1

To return only filenames without the extension, try:

find . -type f -iname "*.ipynb" -execdir sh -c 'printf "%s\n" "${0%.*}"' {} ';'

or (omitting -type f from now on):

find "$PWD" -iname "*.ipynb" -execdir basename {} .ipynb ';'

or:

find . -iname "*.ipynb" -exec basename {} .ipynb ';'

or:

find . -iname "*.ipynb" | sed "s/.*\///; s/\.ipynb//"

however invoking basename on each file can be inefficient, so @CharlesDuffy suggestion is:

find . -iname '*.ipynb' -exec bash -c 'printf "%s\n" "${@%.*}"' _ {} +

or:

find . -iname '*.ipynb' -execdir basename -s '.sh' {} +

Using + means that we're passing multiple files to each bash instance, so if the whole list fits into a single command line, we call bash only once.


To print full path and filename (without extension) in the same line, try:

find . -iname "*.ipynb" -exec sh -c 'printf "%s\n" "${0%.*}"' {} ';'

or:

find "$PWD" -iname "*.ipynb" -print | grep -o "[^\.]\+"

To print full path and filename on separate lines:

find "$PWD" -iname "*.ipynb" -exec dirname "{}" ';' -exec basename "{}" .ipynb ';'

Solution 2

Here's a simple solution:

find . -type f -iname "*.ipynb" | sed 's/\.ipynb$//1'

Solution 3

I found this in a bash oneliner that simplifies the process without using find

for n in *.ipynb; do echo "${n%.ipynb}"; done

Solution 4

If there's no occurrence of this ".ipynb" string on any file name other than a suffix, then you can try this simpler way using tr:

find . -type f -iname "*.ipynb" -print | tr -d ".ipbyn"

Solution 5

If you need to have the name with directory but without the extension :

find .  -type f -iname "*.ipynb" -exec sh -c 'f=$(basename $1 .ipynb);d=$(dirname $1);echo "$d/$f"' sh {} \;
Share:
27,670
Siavosh Mahboubian
Author by

Siavosh Mahboubian

Updated on July 09, 2022

Comments

  • Siavosh Mahboubian
    Siavosh Mahboubian almost 2 years

    I have a directory (with subdirectories), of which I want to find all files that have a ".ipynb" extension. But I want the 'find' command to just return me these filenames without the extension.

    I know the first part:

    find . -type f -iname "*.ipynb" -print    
    

    But how do I then get the names without the "ipynb" extension? Any replies greatly appreciated...