ChatGPT解决这个技术问题 Extra ChatGPT

How do I stash only one file out of multiple files that have changed?

How do I stash only one of the multiple changed files on my branch?

stackoverflow.com/a/19700341/1668622 is much shorter than the accepted answer, does not need any additional tools (like e.g. JesusFreke's script) and it only stashes, what you wanted to stash
>>>>>>>>> git diff -- *filename* > ~/patch then git checkout -- *filename* and later you can re-apply the patch with git apply ~/patch
Most existing answers below are outdated. Since Git 2.13 (Q2 2017) it is supported with git stash push [--] [<pathspec>...].

l
legends2k
git stash push -p -m "my commit message"

-p let's you select the hunks that should be stashed; whole files can be selected as well.

You'll be prompted with a few actions for each hunk:

   y - stash this hunk
   n - do not stash this hunk
   q - quit; do not stash this hunk or any of the remaining ones
   a - stash this hunk and all later hunks in the file
   d - do not stash this hunk or any of the later hunks in the file
   g - select a hunk to go to
   / - search for a hunk matching the given regex
   j - leave this hunk undecided, see next undecided hunk
   J - leave this hunk undecided, see next hunk
   k - leave this hunk undecided, see previous undecided hunk
   K - leave this hunk undecided, see previous hunk
   s - split the current hunk into smaller hunks
   e - manually edit the current hunk
   ? - print help

I am a TortoiseGit addict. However TortoiseGit does not support stash -p. I award this answer because it remains the most interactive/user friendly.
you might want to add: git stash save -p my stash message; since the order of the argumenst is not very intuitive...
Between this and git log -p, I think the -p flag must mean "do the cool thing that I want but don't know how to express."
This is a correct answer, but it becomes unusable if you have too many hunks to work through.
A quick call out to answer posted on a newer question: stackoverflow.com/a/5506483/2661238 by @svick git stash push -m <stash_name> <file_path_to_stash>
N
Neuron

Disclaimer: the following answer is for git before git 2.13. For git 2.13 and over, check out another answer further down.

Warning

As noted in the comments, this puts everything into the stash, both staged and unstaged. The --keep-index just leaves the index alone after the stash is done. This can cause merge conflicts when you later pop the stash.

This will stash everything that you haven't previously added. Just git add the things you want to keep, then run it.

git stash --keep-index

For example, if you want to split an old commit into more than one changeset, you can use this procedure:

git rebase -i Mark some changes as edit. git reset HEAD^ git add git stash --keep-index Fix things up as necessary. Don't forget to git add any changes. git commit git stash pop Repeat, from #5, as necessary. git rebase --continue


I find this approach to be much more simpler: stackoverflow.com/a/5506483/457268
I'm not sure why this is being upvoted. Everyone must have a different expectation than me. The original post is asking "how do I stash just a portion of the uncommitted changes?" When I use git stash save -k, yes the index (green in git stat) is preserved, but the entire changeset (both green and red) goes into the stash. This violates the OP's request, "stash only some changes". I want to stash just some of the red (for future usage).
If you are more interested in the answer to the question posed by @Pistos (as I was), then look here: stackoverflow.com/questions/5506339/…
@Raman: Excellent! git stash -p is exactly what I was looking for. I wonder if this switch was only recently added.
WARNING: git stash --keep-index is broken. If you make more changes, then try to git stash pop later you get merge conflicts because the stash includes the changed files you kept, not just the ones you didn't keep. For example: I change files A and B, then stash B, because I want to test the changes in A; I find a problem with A that I then fix; I commit A; Now I can't unstash because an old version of A is in the stash for no good reason causing a merge conflict. In practise A and B might be many files, perhaps even binary images or something, so I basically have to give up and lose B.
J
John Mee

Since Git 2.13 (Q2 2017), you can stash individual files, with git stash push:

git stash push [-m <message>] [--] [<pathspec>...]

When pathspec is given to 'git stash push', the new stash records the modified states only for the files that match the pathspec See "Stash changes to specific files" for more.

Simplified example:

 git stash push path/to/file

The test case for this feature shows a few more options off:

test_expect_success 'stash with multiple pathspec arguments' '
    >foo &&
    >bar &&
    >extra &&
    git add foo bar extra &&

    git stash push -- foo bar &&   

    test_path_is_missing bar &&
    test_path_is_missing foo &&
    test_path_is_file extra &&

    git stash pop &&
    test_path_is_file foo &&
    test_path_is_file bar &&
    test_path_is_file extra

The original answer (below, June 2010) was about manually selecting what you want to stash.

Casebash comments:

This (the stash --patch original solution) is nice, but often I've modified a lot of files so using patch is annoying

bukzor's answer (upvoted, November 2011) suggests a more practical solution, based on
git add + git stash --keep-index.
Go see and upvote his answer, which should be the official one (instead of mine).

About that option, chhh points out an alternative workflow in the comments:

you should "git reset --soft" after such a stash to get your clear staging back: In order to get to the original state - which is a clear staging area and with only some select un-staged modifications, one could softly reset the index to get (without committing anything like you - bukzor - did).

(Original answer June 2010: manual stash)

Yet, git stash save --patch could allows you to achieve the partial stashing you are after:

With --patch, you can interactively select hunks from in the diff between HEAD and the working tree to be stashed. The stash entry is constructed such that its index state is the same as the index state of your repository, and its worktree contains only the changes you selected interactively. The selected changes are then rolled back from your worktree.

However that will save the full index (which may not be what you want since it might include other files already indexed), and a partial worktree (which could look like the one you want to stash).

git stash --patch --no-keep-index

might be a better fit.

If --patch doesn't work, a manual process might:

For one or several files, an intermediate solution would be to:

copy them outside the Git repo (Actually, eleotlecram proposes an interesting alternative)

git stash

copy them back

git stash # this time, only the files you want are stashed

git stash pop stash@{1} # re-apply all your files modifications

git checkout -- afile # reset the file to the HEAD content, before any local modifications

At the end of that rather cumbersome process, you will have only one or several files stashed.


This is nice, but often I've modified a lot of files so using patch is annoying
@Kal: true, stackoverflow.com/a/13941132/6309 suggests a git reset (mixed)
git is fundamentally about managing a all repository content and index and not one or several files - that's implementation overshadowing the problem being solved; it's an explanation, but not a justification. Any source control system IS about "managing several files". Just look what comments get upvoted most.
-1 for recommending git stash --keep-index; as noted in the comments on bukzor's answer, it simply doesn't do what you think it does. Create two files, foo and bar. Commit them. Add a line to each. git add foo. git stash --keep-index. The desired result now is that you have your change to bar stashed, and your change to foo still present and staged. Reality is that you have your change to foo present and staged, but your changes to both files stashed. If you git reset and modify foo, you now cannot git stash pop due to conflict.
This also stashed all staged files. So make sure you haven't staged any changes
s
sandstrom

Use git stash push, like this:

git stash push [--] [<pathspec>...]

For example:

git stash push -- my/file.sh

This is available since Git 2.13, released in spring 2017.


But I do mention git stash push already in my answer above last March, 5 months ago. And I detailed that new Git 2.13 command here: stackoverflow.com/a/42963606/6309.
@VonC you're right, you also mention the correct answer, however, between the two answers, this one is easier to read (no confusing text and there is also an example). Maybe they should have edited your answer instead
Does one then use git stash apply to recover the stashed changes?
Can anyone enlighten me as to why such an obscure word 'pathspec' is used to indicate file path? Or is it not so obscure as I think it is?
@NikhilVandanapu I think the term pathspec is used because it can be more than a simple path. It can include the standard wildcards, double-asterisk wildcards and even more esoteric syntax. For more info, go to https://git-scm.com/docs/gitglossary and search for pathspec.
b
blueyed

When git stash -p (or git add -p with stash --keep-index) would be too cumbersome, I found it easier to use diff, checkout and apply:

To "stash" a particular file/dir only:

git diff path/to/dir > stashed.diff
git checkout path/to/dir

Then afterwards

git apply stashed.diff

Interesting alternative to the git add -p I mentioned in my own answer above. +1.
Note that if you have binary files (like PNGs) they won't be output to the diff file. So this isn't a 100% solution.
@RobertDailey: That's an interesting point to me, as git diff > file.diff and git apply are my usual partial stash tools. I may have to consider switching to git stash -p for larger changesets.
@thekingoftruth Here is the alias I use to create patch files, and it does support binaries: patch = log --pretty=email --patch-with-stat --reverse --full-index --binary. Note, however, this requires your changes for the patch to be committed.
This was not working cleanly for me if the file to stash was something like ../../foo/bar.txt. The patch generates OK, but I then need to move to the repository root to get the patch to apply. So if you're having trouble with this - just make sure you're doing it from the repository root directory.
v
venkatareddy

Let's say you have 3 files

a.rb
b.rb
c.rb

and you want to stash only b.rb and c.rb but not a.rb

you can do something like this

# commit the files temporarily you don't want to stash
git add a.rb
git commit -m "temp" 

# then stash the other files
git stash save "stash message"

# then undo the previous temp commit
git reset --soft HEAD^
git reset

And you are done! HTH.


s
sealocal

If you do not want to specify a message with your stashed changes, pass the filename after a double-dash.

$ git stash -- filename.ext

If it's an untracked/new file, you will have to stage it first.

This method works in git versions 2.13+


That answer is verbose, this is concise. If it helps someone, I will leave it. No one on this page mentions this syntax and result - they instead mention ` git stash push`.
This is the answer I was looking for. Thanks! +1
A
Amin Shojaei

If you want to stash only some of changed files, simply just Add other files in the Stage, Then execute git stash push --keep-index

It will stash all unstaged changed files


J
Jasper

Another way to do this:

# Save everything
git stash 

# Re-apply everything, but keep the stash
git stash apply

git checkout <"files you don't want in your stash">

# Save only the things you wanted saved
git stash

# Re-apply the original state and drop it from your stash
git stash apply stash@{1}
git stash drop stash@{1}

git checkout <"files you put in your stash">

I came up with this after I (once again) came to this page and didn't like the first two answers (the first answer just doesn't answer the question and I didn't quite like working with the -p interactive mode).

The idea is the same as what @VonC suggested using files outside the repository, you save the changes you want somewhere, remove the changes you don't want in your stash, and then re-apply the changes you moved out of the way. However, I used the git stash as the "somewhere" (and as a result, there's one extra step at the end: removing the cahnges you put in the stash, because you moved these out of the way as well).


i prefer this approach most. It provides an easy workflow in tortoisegit using only stash and revert commands.
Referring to answers on SO using positions is not advisable. Positions change as ratings change.
@BryanAsh Well, it's not like it matters here. I am giving an anecdote rather than really referring to the other answers. The message is that I didn't like the answers the community liked and not what these answers actually contain. Besides, the 900 vote gap between the second and third answer make this unlikely to change in the near future, and if it should ever change I can always edit it to say "the top to answers at the time". Really, I don't see how this is any sort of problem in this situation.
v
vinodsaluja

You can simply do this:

git stash push "filename"

or with an optional message

git stash push -m "Some message" "filename"

This adds nothing new. Git stash push is already mentioned in multiple answers
The git stash push -- <filepath> was what worked for me and is added in recent GIT version (v2.13>) as the way to go. You can get the <filepath> if you run a git status.
J
JesusFreke

Update (2/14/2015) - I've rewritten the script a bit, to better handle the case of conflicts, which should now be presented as unmerged conflicts rather than .rej files.

I often find it more intuitive to do the inverse of @bukzor's approach. That is, to stage some changes, and then stash only those staged changes.

Unfortunately, git doesn't offer a git stash --only-index or similar, so I whipped up a script to do this.

#!/bin/sh

# first, go to the root of the git repo
cd `git rev-parse --show-toplevel`

# create a commit with only the stuff in staging
INDEXTREE=`git write-tree`
INDEXCOMMIT=`echo "" | git commit-tree $INDEXTREE -p HEAD`

# create a child commit with the changes in the working tree
git add -A
WORKINGTREE=`git write-tree`
WORKINGCOMMIT=`echo "" | git commit-tree $WORKINGTREE -p $INDEXCOMMIT`

# get back to a clean state with no changes, staged or otherwise
git reset -q --hard

# Cherry-pick the index changes back to the index, and stash.
# This cherry-pick is guaranteed to succeed
git cherry-pick -n $INDEXCOMMIT
git stash

# Now cherry-pick the working tree changes. This cherry-pick may fail
# due to conflicts
git cherry-pick -n $WORKINGCOMMIT

CONFLICTS=`git ls-files -u`
if test -z "$CONFLICTS"; then
    # If there are no conflicts, it's safe to reset, so that
    # any previously unstaged changes remain unstaged
    #
    # However, if there are conflicts, then we don't want to reset the files
    # and lose the merge/conflict info.
    git reset -q
fi

You can save the above script as git-stash-index somewhere on your path, and can then invoke it as git stash-index

# <hack hack hack>
git add <files that you want to stash>
git stash-index

Now the stash contains a new entry that only contains the changes you had staged, and your working tree still contains any unstaged changes.

In some cases, the working tree changes may depend on the index changes, so when you stash the index changes, the working tree changes have a conflict. In this case, you'll get the usual unmerged conflicts that you can resolve with git merge/git mergetool/etc.


Recommend pushd instead of cd and popd at the end of the script so if the script succeeds, the user ends up in the same directory as before running it.
@Nate: as far as I know, it should only change the directory for the user if they sourced the script. If you run the script normally (~/bin/git-stash-index), or via git (git stash-index), it gets run in a separate terminal session, and any working directory changes in that session don't affect the working directory in the user's terminal session. Are you aware of a common usage case when this is not true? (other than sourcing the script, which I wouldn't consider "common")
s
shangxiao

Since creating branches in Git is trivial you could just create a temporary branch and check the individual files into it.


You can't create a branch with unstaged edits. You can easily move all the edits to a new branch (stash/stash pop) but then you're back to square one: how do you test your branch with only some of those edits, without losing the others?
You can't switch branches if you have local changes. However, you can create a new branch and selectively add/commit files, and then create another branch and do the same recursively... then checkout the original branch and selectively merge back in. I just did it. It actually seems the natural way to do things, as you're essentially creating feature branches.
@iain you can switch branches if you have local changes, as long as they don't require a merge. See Example Gist. This is true as of Git v2.7.0 at least.
B
Benyamin Jafari

Just in case you actually mean discard changes whenever you use git stash (and don't really use git stash to stash it temporarily), in that case you can use

git checkout -- <file>

[NOTE]

That git stash is just a quicker and simple alternative to branching and doing stuff.


a
apricot

Save the following code to a file, for example, named stash. Usage is stash <filename_regex>. The argument is the regular expression for the full path of the file. For example, to stash a/b/c.txt, stash a/b/c.txt or stash .*/c.txt, etc.

$ chmod +x stash
$ stash .*.xml
$ stash xyz.xml

Code to copy into the file:

#! /usr/bin/expect --
log_user 0
set filename_regexp [lindex $argv 0]

spawn git stash -p

for {} 1 {} {
  expect {
    -re "diff --git a/($filename_regexp) " {
      set filename $expect_out(1,string)
    }
    "diff --git a/" {
      set filename ""
    }
    "Stash this hunk " {
      if {$filename == ""} {
        send "n\n"
      } else {
        send "a\n"
        send_user "$filename\n"
      }
    }
    "Stash deletion " {
      send "n\n"
    }
    eof {
      exit
    }
  }
}

Great method. I would have picked this as the answer. Tip for future readers: you have to match on the full path. e.g. stash subdir/foo.c
e
eleotlecram

The problem with VonC's `intermediate' solution of copying files to outside the Git repo is that you lose path information, which makes copying a bunch of files back later on somewhat of a hassle.

A find it easier to use tar (similar tools will probably do) instead of copy:

tar cvf /tmp/stash.tar path/to/some/file path/to/some/other/file (... etc.)

git checkout path/to/some/file path/to/some/other/file

git stash

tar xvf /tmp/stash.tar

etc. (see VonC's `intermediate' suggestion)


checkout -f is not needed, checkout (without -f) is enough, I've updated the answer.
v
void.pointer

Sometimes I've made an unrelated change on my branch before I've committed it, and I want to move it to another branch and commit it separately (like master). I do this:

git stash
git checkout master
git stash pop
git add <files that you want to commit>
git commit -m 'Minor feature'
git stash
git checkout topic1
git stash pop
...<resume work>...

Note the first stash & stash pop can be eliminated, you can carry all of your changes over to the master branch when you checkout, but only if there are no conflicts. Also if you are creating a new branch for the partial changes you will need the stash.

You can simplify it assuming no conflicts and no new branch:

git checkout master
git add <files that you want to commit>
git commit -m 'Minor feature'
git checkout topic1
...<resume work>...

Stash not even needed...


T
Triynko

This can be done easily in 3 steps using SourceTree.

Temporarily commit everything you don't want stashed. Git add everything else, then stash it. Pop your temporary commit by running git reset, targetting the commit before your temporary one.

This can all be done in a matter of seconds in SourceTree, where you can just click on the files (or even individual lines) you want to add. Once added, just commit them to a temporary commit. Next, click the checkbox to add all changes, then click stash to stash everything. With the stashed changes out of the way, glance over at your commit list and note the hash for the commit before your temporary commit, then run 'git reset hash_b4_temp_commit', which is basically like "popping" the commit by resetting your branch to the commit right before it. Now, you're left with just the stuff you didn't want stashed.


R
Raffi Khatchadourian

I would use git stash save --patch. I don't find the interactivity to be annoying because there are options during it to apply the desired operation to entire files.


Amazed there's so little backing for this answer, it's best solution without need for an essay.
Definitely the good answer, git stash -p permits you to stash a whole file rapidly and quitting afterwards.
C
Christophe Fondacci

Every answer here is so complicated...

What about this to "stash":

git diff /dir/to/file/file_to_stash > /tmp/stash.patch
git checkout -- /dir/to/file/file_to_stash

This to pop the file change back:

git apply /tmp/stash.patch

Exact same behavior as stashing one file and popping it back in.


I tried it but nothing happens. When I git apply I have no error but changes are not brought back neither
The patch file you generated in /tmp was probably deleted. You might have rebooted between the diff and the apply. Try another more permanent location. It does work. Also check the contents of the patch file.
C
Community

I've reviewed answers and comments for this and a number of similar threads. Be aware that none of the following commands are correct for the purpose of being able to stash any specific tracked/untracked files:

git stash -p (--patch): select hunks manually, excluding untracked files

git stash -k (--keep-index): stash all tracked/untracked files and keep them in the working directory

git stash -u (--include-untracked): stash all tracked/untracked files

git stash -p (--patch) -u (--include-untracked): invalid command

Currently, the most reasonable method to be able to stash any specific tracked/untracked files is to:

Temporarily commit the files you don't want to stash

Add and stash

Pop the temporary commit

I wrote a simple script for this procedure in an answer to another question, and there are steps for performing the procedure in SourceTree here.


S
Sireesh Yarlagadda

When you try to switch between two branches, this situation occurs.

Try to add the files using "git add filepath".

Later execute this line

git stash --keep-index


A
Alex 75

Solution

Local changes:

file_A (modified) not staged

file_B (modified) not staged

file_C (modified) not staged

To create a stash "my_stash" with only the changes on file_C:

1. git add file_C
2. git stash save --keep-index temp_stash
3. git stash save my_stash
4. git stash pop stash@#{1}

Done.

Explanation

add file_C to the staging area create a temporary stash named "temp_stash" and keep the changes on file_C create the wanted stash ("my_stash") with only the changes on file_C apply the changes in "temp_stash" (file_A and file_B) on your local code and delete the stash

You can use git status between the steps to see what is going on.


V
Vinicius Brasil

To stash a single file use git stash --patch [file].

This is going to prompt: Stash this hunk [y,n,q,a,d,j,J,g,/,e,?]? ?. Just type a (stash this hunk and all later hunks in the file) and you're fine.


Missing push as in git stash push --patch [file]
@FilipeEsperandio push only works in more recent versions of Git, used to be save. In either case push or save are implied by calling stash: "Calling git stash without any arguments is equivalent to git stash push", docs
D
David Hrbáč

Similar situation. Did commit and realized it's not ok.

git commit -a -m "message"
git log -p

Based on the answers this helped me.

# revert to previous state, keeping the files changed
git reset HEAD~
#make sure it's ok
git diff
git status
#revert the file we don't want to be within the commit
git checkout specs/nagios/nagios.spec
#make sure it's ok
git status
git diff
#now go ahead with commit
git commit -a -m "same|new message"
#eventually push tu remote
git push

J
J0hnG4lt

In this situation I git add -p (interactive), git commit -m blah and then stash what's left if necessary.


J
Juozas Kontvainis

I don't know how to do it on command line, only using SourceTree. Lets say you have changed file A, and have two change hunks in file B. If you want to stash only the second hunk in file B and leave everything else untouched, do this:

Stage everything Perform changes to your working copy that undo all the changes in file A. (e.g. launch external diff tool and make files match.) Make file B look as if only second change is applied to it. (e.g. launch external diff tool and undo first change.) Create a stash using "Keep staged changes". Unstage everything Done!


S
SiHa
git add .                           //stage all the files
git reset <pathToFileWillBeStashed> //unstage file which will be stashed
git stash                           //stash the file(s)
git reset .                         // unstage all staged files
git stash pop                       // unstash file(s)

Well, you should not do that. The Answer should provide a solution to the question. You could just ask your own question.
this solution is one of the easiest answer for the THIS question. read question, compare all the answers and mine then if you have any doubt that this answer neither a applicable solution nor insufficient information about the question, then we can talk again.
This will not work, because third command, "git stash" will not honour staged files. Both, staged and nonstaged files will go to the stash. The questions specifically asks how to stash only one file
P
PEZ

For users of VS Code. The stash button for the Changes group in the Git sidebar view will stash only the files in the group. So if you move some files out of that group, you can then stash the remaining files. The only way I know of moving some files out of there without reverting the changes is to stage them. So:

Stage the files you don't want to stash Click the stash button in the Changes group header Unstage the files you moved out of the way


M
Martin G

One complicated way would be to first commit everything:

git add -u
git commit // creates commit with sha-1 A

Reset back to the original commit but checkout the_one_file from the new commit:

git reset --hard HEAD^
git checkout A path/to/the_one_file

Now you can stash the_one_file:

git stash

Cleanup by saving the committed content in your file system while resetting back to the original commit:

git reset --hard A
git reset --soft HEAD^

Yeah, somewhat awkward...


S
SCBuergel

I found no answer to be what I needed and that is as easy as:

git add -A
git reset HEAD fileThatYouWantToStash
git commit -m "committing all but one file"
git stash

This stashes exactly one file.