I added a file to the index with:
git add somefile.txt
I then got the SHA1 for this file with:
git hash-object somefile.txt
Great one-liner to do this:
git rev-list --objects --all | grep <blob sha1>
git rev-list <commit-list>
won't include any commits which were for example removed by rebase -i
and now are referenced only by reflog, so if blob is not found by command above you should check also reflog ie like this:
git reflog --all | \
cut -d\ -f1 | \
xargs -n1 -iX sh -c "git ls-tree -r X | grep <BLOB_SHA> && echo X"
The following shell script is heavily based on Which commit has this blob? and the answer provided by Aristotle Pagaltzis.
#!/bin/sh
obj_hash=$1
# go over all trees
git log --pretty=format:'%T %h %s' \
| while read tree commit subject ; do
git ls-tree -r $tree | grep "$obj_hash" \
| while read a b hash filename ; do
if [ "$hash" == "$obj_hash" ]; then
f=$filename
echo $f
break
fi
if $f ; then break; fi
done
if $f; then break; fi
done
I'm sure someone could beautify this script but it does work. The idea is to look at all trees commited and search for your specific hash.
There's no such direct mapping in git as the name of the file is part of the tree object that contains the file, not of the blob object that is the file's contents.
It's not a usual operation to want to retrieve a file name from a SHA1 hash so perhaps you could expand on a real world use case for it?
If you're looking at current files (i.e. the HEAD commit) you can try the following.
git ls-tree -r HEAD | grep <SHA1>
If you want to find the contents in previous commits you'll need to do something more like this.
git rev-list <commit-list> | \
xargs -n1 -iX sh -c "git ls-tree -r X | grep <SHA1> && echo X"
Commit the file and note the sha1 hash of the commit object. After that use
git ls-tree <commit-sha1>
and you will get the names of the files with the hashes.
Check the manual pages for more options.