Search code examples
gitgit-filter-branch

git rm - fatal: pathspec did not match any files


I added over 9000 photos by accident to my project folder. And committed them. Then deleted them from the disk. Committed.

Now I try to push changes to the git server. But it takes too long and tries to send 12 GB of data.

I checked files size on the disk and saw that really .git folder takes 12 GB.

How to delete photos from there? I tried git rm, but fails:

❯ git rm public/photos
fatal: pathspec 'public/photos' did not match any files

Because I already deleted them from the disk, but they are still in .git folder.

I tried to add public/photos to .gitignore:

public/photos/
*.zip

But no result. Of course, I could hard reset head to the moment when I did not have so many junk photos in my project. But since that time I committed many times and made a lot of changes in code.


Solution

  • In your case, use git filter-branch instead of git rm.

    git rm will delete the files in the sense that they will not be tracked by git any more, but that does not remove the old commit objects corresponding to those images, and so you will still be stuck with pushing the earlier commits which correspond to 12GB of images.

    The git filter-branch, on the other hand, can remove those files from all the previous commits as well, thus doing away with the need to push any of them.

    1. Use the command

       git filter-branch --force --index-filter \
         'git rm -r --cached --ignore-unmatch public/photos' \
         --prune-empty --tag-name-filter cat -- --all
      
    2. After the filter branch is complete, verify that no unintended file was lost.

    3. Now add a .gitignore rule

       echo public/photos >> .gitignore
       git add .gitignore && git commit -m "ignore rule for photos"
      
    4. Now do a push

       git push -f origin branch
      

    Check this, this and this for further help. Just to be on the safer side, I would suggest you create a backup copy of the repo on your system before going ahead with these instructions.

    As for your original error message, it is happening because you already untracked them using git rm, and hence git is complaining because it can't remove a file it isn't tracking. Read more about this here.