lab 16 Undoing Committed Changes
Goals
- Learn how to revert changes that have been committed to a local repository.
Undoing Commits
Sometimes you realized that a change that you have already committed was not correct and you wish to undo that commit. There are several ways of handling that issue, and the way we are going to use in this lab is always safe.
Essentially we will undo the commit by creating a new commit that reverses the unwanted changes.
Change the file and commit it.
Change the hello.js
file to the following.
hello.js
// This is an unwanted but committed change const name = process.argv[2] || "World" console.log(`Hello, ${name}!`);
Execute:
git add hello.js git commit -m "Oops, we didn't want this commit"
Create a Reverting Commit
To undo a committed change, we need to generate a commit that removes the changes introduced by our unwanted commit.
Execute:
git revert HEAD
This will pop you into the editor. You can edit the default commit message or leave it as is. Save and close the file. You should see …
Output:
$ git revert HEAD --no-edit [main 654f128] Revert "Oops, we didn't want this commit" Date: Thu Jun 27 14:45:18 2019 -0500 1 file changed, 2 insertions(+), 2 deletions(-)
Since we were undoing the very last commit we made, we were able to use HEAD
as the argument to revert. We can revert any arbitrary commit earlier in history by simply specifying its hash value.
Note: The --no-edit
in the output can be ignored. It was necessary to generate the output without opening the editor.
Check the log
Checking the log shows both the unwanted and the reverting commits in our repository.
Execute:
git hist
Output:
$ git hist * 654f128 2019-06-27 | Revert "Oops, we didn't want this commit" (HEAD -> main) [Halle Bot] * 982fd79 2019-06-27 | Oops, we didn't want this commit [Halle Bot] * 59992ce 2019-06-27 | Added a comment (tag: v1) [Halle Bot] * 20a6c79 2019-06-27 | Added a default value (tag: v1-beta) [Halle Bot] * 6915d41 2019-06-27 | Using process.argv [Halle Bot] * 284070d 2019-06-27 | First Commit [Halle Bot]
This technique will work with any commit (although you may have to resolve conflicts). It is safe to use even on branches that are publicly shared on remote repositories.
Up Next
Next, let’s look at a technique that can be used to remove the most recent commits from the repository history.