Skip to content
Home DevOps Introduction to Git: Version Control Explained from Scratch

Introduction to Git: Version Control Explained from Scratch

Where developers are forged. · Structured learning · Free forever.
📍 Part of: Git → Topic 1 of 19
Git explained from zero — what it is, why every developer needs it, and how to start using it today with real commands and clear analogies.
🧑‍💻 Beginner-friendly — no prior DevOps experience needed
In this tutorial, you'll learn
Git explained from zero — what it is, why every developer needs it, and how to start using it today with real commands and clear analogies.
  • A Git repository is just a normal folder with a hidden .git directory inside it — that directory is Git's entire memory, storing every snapshot of your project ever taken.
  • Committing is a two-step process by design: 'git add' stages the exact changes you want, and 'git commit' permanently seals that snapshot with a message — this intentional separation gives you precision control over what goes into each save.
  • Branches let you experiment in complete isolation from your working code — the industry-standard workflow is to never commit directly to main, always branch, then merge after review.
✦ Plain-English analogy ✦ Real code with output ✦ Interview questions
Quick Answer
  • Every commit is a permanent, timestamped snapshot with a unique SHA.
  • Git is local-first — all operations (branching, committing, history) work without a network.
  • Branches are lightweight pointers — creating one costs almost nothing.
  • Working directory: your actual files.
  • Staging area (index): what you've selected for the next commit.
  • Repository (.git): the complete history graph.
  • Remote: a shared copy hosted elsewhere (GitHub, GitLab).
  • Git stores content as snapshots, not diffs — this is why branching is instant and history traversal is fast.
  • The reflog is your safety net — it records every HEAD movement for 90 days, allowing recovery of "deleted" commits.
  • Force-pushing to shared branches destroys history and breaks teammates' local repos.
🚨 START HERE
Git Recovery Triage Cheat Sheet
First-response commands for when things go wrong. The reflog is your primary recovery tool.
🟡You ran `git reset --hard` and lost uncommitted work.
Immediate ActionCheck if the files are in the reflog or stash. Uncommitted work may be unrecoverable.
Commands
git stash list
git reflog
Fix NowIf stashed: `git stash pop`. If in reflog: `git cherry-pick <sha>`. If neither: the work is likely lost. Consider file recovery tools for the filesystem.
🟡A teammate force-pushed and your branch is now diverged from remote.
Immediate ActionDo NOT merge or pull — this compounds the problem.
Commands
git fetch origin
git log --oneline origin/main..HEAD
Fix NowIf you have commits to preserve: `git rebase origin/main`. If you want to match remote exactly: `git reset --hard origin/main`.
🟡You need to find who introduced a bug and when.
Immediate ActionUse git blame or git bisect to trace the change.
Commands
git blame -L 40,50 src/io/thecodeforge/service/PaymentService.java
git log --all --oneline --grep="payment"
Fix NowFor binary search across history: `git bisect start`, then `git bisect bad` (current) and `git bisect good <old-sha>`. Git will guide you to the breaking commit.
🟠Your repo is huge and cloning/pulling is slow.
Immediate ActionCheck for large files committed to history.
Commands
git rev-list --objects --all | git cat-file --batch-check='%(objecttype) %(objectname) %(objectsize) %(rest)' | sort -k3 -n -r | head -20
du -sh .git
Fix NowUse `git filter-repo` to remove large files from history. Enable partial clone: `git clone --filter=blob:none <url>`. Add large files to `.gitignore` and use Git LFS for assets.
Production IncidentThe Force-Push That Deleted a Week of WorkA developer force-pushed to main after a rebase, erasing five commits from three teammates. CI passed because the pipeline ran on the rebased commits, but the original work was gone from the remote.
SymptomTeammates pull main and their local branches suddenly have diverged history. Features that were merged yesterday are missing from the codebase. git log on main shows a linear history that doesn't match what was there before.
AssumptionThe remote repository was corrupted or rolled back by an admin.
Root causeA developer ran git rebase main on their feature branch, then force-pushed their branch. When merging, the merge was fast-forwarded. Later, the same developer rebased main locally against an outdated remote (git fetch was skipped), then ran git push --force-with-lease origin main. The lease check passed because their local ref matched what they last fetched — but they hadn't fetched since teammates pushed. The force-push overwrote main with the stale rebased history.
Fix1. Do NOT pull — this would propagate the damage locally. 2. Find the last good commit SHA from a teammate's reflog or CI logs. 3. Force-push the correct SHA to restore main: git push --force origin <good-sha>:main. 4. All teammates must run git fetch origin && git reset --hard origin/main to sync. 5. Implement branch protection rules requiring PR reviews and disallowing force-pushes to main.
Key Lesson
Never force-push to a shared branch. Use --force-with-lease only on personal feature branches.Branch protection rules on main are not optional — they are infrastructure.The reflog on any machine that ever pulled the correct main will have the lost commits. Recovery is possible if you act before the reflog expires (90 days default).Always fetch before rebasing against a remote branch. Stale refs are the root cause of most force-push disasters.
Production Debug GuideFrom symptom to resolution for real production scenarios.
You're on a detached HEAD and have made commits that aren't on any branch.1. Don't panic — the commits exist in the object store. 2. Note the current HEAD SHA from git log --oneline -1. 3. Create a branch pointing to it: git branch rescue-branch HEAD. 4. Switch to it: git switch rescue-branch. Your commits are now safe on a named branch.
A merge conflict blocks your merge or rebase.1. Run git status to see conflicted files. 2. Open each file — look for <<<<<<<, =======, >>>>>>> markers. 3. Edit the file to keep the correct version (or combine both). 4. Stage the resolved file: git add <file>. 5. Continue: git merge --continue or git rebase --continue. 6. If it's a rebase and you want to abort entirely: git rebase --abort.
You committed sensitive data (API keys, passwords) and it's now in the remote.1. Rotate the secret immediately — it's compromised regardless of git history. 2. Use git filter-branch or git filter-repo to remove the file from all history. 3. Force-push the cleaned history. 4. Add the file pattern to .gitignore. 5. If the repo is public on GitHub, assume the secret was scraped by bots within minutes.
git pull creates unexpected merge commits and pollutes history.1. This happens when your local branch has commits that the remote doesn't, and you pull with default merge strategy. 2. Use git pull --rebase to replay your commits on top of the remote changes. 3. Set it permanently: git config --global pull.rebase true. 4. This keeps history linear and clean.

Git is the version control system underlying virtually every software project. It solves three problems: tracking who changed what and when, enabling parallel development through branches, and providing a mechanism to recover from mistakes.

The common misconception is that Git is just a backup system. It is not. Git is a content-addressable DAG (directed acyclic graph) of snapshots. Understanding this mental model separates engineers who blindly run commands from those who can recover from any state, resolve complex conflicts, and design efficient branching strategies.

This guide covers the fundamentals, then layers on production-grade insights: when rebases go wrong, how to recover from force-push disasters, and why your branching strategy directly impacts deployment velocity.

What Is a Repository and Why Does Git Need One?

Before you run a single Git command, you need to understand the word 'repository' — because it comes up constantly. A repository (usually shortened to 'repo') is just a folder on your computer that Git is actively watching and tracking. That's it. The moment you tell Git to watch a folder, that folder becomes a repository.

Inside every Git repository, Git creates a hidden folder called .git. This is Git's private notebook where it stores the entire history of your project — every version of every file, every message you attached to your saves, and every branch you've ever created. You'll almost never need to touch that .git folder directly, but knowing it exists explains the magic: as long as that folder is there, your full history is safe.

Think of the repository as a library and the .git folder as the librarian's filing cabinet in the back room. Your actual files are the books on the shelves that you read and edit. The filing cabinet tracks every edition of every book ever checked in, who edited it, and what changed between editions. You work with the books; Git manages the filing cabinet automatically.

Creating a repository is the very first step in any Git workflow. You'll either initialise a fresh one from scratch, or clone (download) an existing one from a platform like GitHub. Let's start from scratch.

01_init_repository.sh · BASH
123456789101112131415
# Step 1: Create a new project folder and navigate into it
mkdir my-first-project
cd my-first-project

# Step 2: Tell Git to start tracking this folder
# This creates the hidden .git folder inside my-first-project
git init

# Step 3: Confirm that Git is now watching this folder
# The .git folder only appears when you pass the -a flag (show hidden files)
ls -a

# Step 4: Check the current state of the repository
# At this point there are no files yet, so Git will say it's a fresh repo
git status
▶ Output
Initialized empty Git repository in /Users/yourname/my-first-project/.git/

. .. .git

On branch main

No commits yet

nothing to commit (create/copy files and use "git add" to track them)
⚠ Watch Out: Never Run git init in Your Home Directory
Running 'git init' in the wrong folder is a common beginner mistake. If you accidentally run it in your home directory (~), Git will try to track every file on your entire computer. Always create a dedicated project folder first, navigate into it, and then run git init. If you make this mistake, delete the .git folder inside the wrong directory with: rm -rf .git
📊 Production Insight
The .git directory grows over time as you accumulate commits, branches, and objects. In large repositories (monorepos, projects with large binary assets), the .git folder can exceed several gigabytes. Use git count-objects -vH to monitor size. If the repository becomes unwieldy, tools like git gc (garbage collection) and git filter-repo (history rewriting) are essential maintenance operations, not optional cleanup.
🎯 Key Takeaway
A repository is a folder with a .git directory that stores the complete object graph of your project's history. The .git folder is the single source of truth — lose it and you lose everything not pushed to a remote. Always push to a remote regularly.
Initializing vs Cloning a Repository
IfStarting a brand new project from scratch.
UseUse git init in an empty directory.
IfJoining an existing project hosted on GitHub/GitLab.
UseUse git clone <url> — this creates the directory, downloads all history, and sets up the remote automatically.
IfNeed a shallow copy for CI/CD (don't need full history).
UseUse git clone --depth 1 <url> — fetches only the latest commit, dramatically reducing clone time for large repos.

Your First Commit: How Git Actually Saves Your Work

In Git, saving your work isn't called 'saving' — it's called 'committing'. A commit is a permanent snapshot of your project at a specific moment in time. Think of it like taking a photograph of your entire project folder. You can take as many photographs as you want, and you can always look back at any photo from any point in the past.

Here's the part that trips up every beginner: Git uses a two-step process to save work, and for good reason. First you 'stage' your changes (step 1), then you 'commit' them (step 2). Staging is like putting items into a box before you seal and label it. It lets you choose exactly which changes go into a commit — maybe you changed three files but only want to snapshot two of them right now. That's completely valid.

The command for staging is git add. The command for committing is git commit. Every commit requires a message — a short human-readable note explaining what changed and why. These messages are invaluable six months later when you're trying to remember why a certain change was made. Write them like you're leaving a note for your future self, because you are.

The analogy: staging is packing the box, committing is sealing it, labelling it, and putting it on the archive shelf permanently.

02_first_commit.sh · BASH
1234567891011121314151617181920212223
# We're inside my-first-project (from the previous step)

# Step 1: Create a real file with some content
echo "# My First Project" > README.md
echo "This project is tracked by Git." >> README.md

# Step 2: Check what Git sees — it notices the new file but isn't tracking it yet
# Git calls untracked files 'untracked' — they exist in the folder but not in Git's history
git status

# Step 3: Stage the file — tell Git 'yes, include this file in the next snapshot'
# The dot (.) means 'stage everything in the current folder'
git add README.md

# Step 4: Check status again — README.md is now in the 'staging area'
git status

# Step 5: Commit the staged file with a descriptive message
# -m lets you write the message inline — always use present tense, e.g. 'Add' not 'Added'
git commit -m "Add README with project description"

# Step 6: View the commit history — you'll see your commit with its unique ID
git log --oneline
▶ Output
On branch main
No commits yet
Untracked files:
(use "git add <file>..." to include in what will be committed)
README.md

On branch main
No commits yet
Changes to be committed:
(use "git rm --cached <file>..." to unstage)
new file: README.md

[main (root-commit) a3f92c1] Add README with project description
1 file changed, 2 insertions(+)
create mode 100644 README.md

a3f92c1 Add README with project description
💡Pro Tip: Write Commit Messages Like a Search Engine
A commit message like 'fixed stuff' is useless when you're debugging at 2am six months later. Write messages that answer 'what does this commit do?' in plain English. Good examples: 'Fix login button not responding on mobile', 'Add user authentication with JWT tokens', 'Remove deprecated payment API calls'. Your team — and your future self — will thank you.
📊 Production Insight
The staging area is a powerful but underused tool for precision. In production, you often fix multiple issues in one session. Using git add -p (patch mode) lets you stage individual hunks of a file, creating atomic commits that isolate concerns. This is critical for code review — reviewers can understand each commit independently, and git bisect can pinpoint exactly which change introduced a regression. Squashing unrelated changes into one commit is a debugging liability.
🎯 Key Takeaway
Commits are immutable snapshots identified by SHA. The two-step add-then-commit workflow exists for precision — it lets you craft atomic, reviewable changesets. In production, commit atomicity directly impacts debuggability via git bisect and code review clarity. Use git add -p for surgical staging.
Staging Strategy for Clean History
IfYou changed one file for one purpose.
UseUse git add <file> to stage the entire file.
IfYou changed one file for multiple unrelated purposes (e.g., fixed a bug AND added a feature).
UseUse git add -p to interactively stage individual hunks, then commit each concern separately.
IfYou want to stage all tracked file modifications (but not new untracked files).
UseUse git add -u instead of git add . to avoid accidentally staging build artifacts.
IfYou staged something by mistake.
UseUse git reset HEAD <file> to unstage without losing changes.

Branches: How to Experiment Without Breaking Anything

Here's where Git goes from 'useful' to 'genuinely magical'. A branch is an independent line of development that runs parallel to your main code. You can create a branch, make all kinds of experimental changes in it, and your main code is completely untouched. If the experiment works, you merge the branch back in. If it doesn't, you delete the branch and it's as if it never happened.

Every Git repository starts with one default branch, usually called main (older projects may call it master). This is your stable, production-ready code. Nobody should push broken code directly to main. Instead, every new feature or bug fix gets its own branch.

Picture a river. The main river is your main branch — it keeps flowing steadily. When you want to try something new, you dig a side canal (a new branch). You do all your experimental digging in the canal. If the canal works great, you reconnect it to the main river (merge). If it floods and turns into a swamp, you just fill it back in (delete the branch) — the main river never knew anything happened.

This is the exact workflow used at every professional software company on earth. Features developed on branches, reviewed, then merged. Understanding this is what separates someone who 'knows some Git commands' from someone who actually understands Git.

03_branches.sh · BASH
12345678910111213141516171819202122232425262728293031323334
# We're continuing inside my-first-project with our first commit already made

# Step 1: See all existing branches — the asterisk (*) shows your current branch
git branch

# Step 2: Create a new branch called 'add-contact-page'
# Naming convention: use lowercase, hyphens, descriptive names — never spaces
git branch add-contact-page

# Step 3: Switch to the new branch so our changes happen there, not on main
git switch add-contact-page

# (Older Git versions use 'git checkout add-contact-page' — both work)

# Step 4: Create a new file on this branch
echo "# Contact Page" > contact.md
echo "Email us at: hello@myproject.com" >> contact.md

# Step 5: Stage and commit the new file — this commit lives ONLY on add-contact-page
git add contact.md
git commit -m "Add contact page with email address"

# Step 6: Switch back to main and notice contact.md is GONE from your folder
# It's not deleted — it simply doesn't exist on the main branch yet
git switch main
ls

# Step 7: Merge the work from add-contact-page into main
# Now contact.md will appear in main and the commit history merges too
git merge add-contact-page
ls

# Step 8: Delete the branch — the work is merged, we don't need it anymore
git branch -d add-contact-page
▶ Output
* main

Switched to branch 'add-contact-page'

[add-contact-page 7b12e4f] Add contact page with email address
1 file changed, 2 insertions(+)
create mode 100644 contact.md

Switched to branch 'main'
README.md

Updating a3f92c1..7b12e4f
Fast-forward
contact.md | 2 ++
1 file changed, 2 insertions(+)
create mode 100644 contact.md

README.md contact.md

Deleted branch add-contact-page (was 7b12e4f).
🔥Interview Gold: What Is a Fast-Forward Merge?
When you merge and Git says 'Fast-forward', it means main had no new commits since you branched off — so Git simply moves the main pointer forward to your branch tip. No merge commit is created. This is the cleanest type of merge. If both branches had new commits, Git creates a 'merge commit' to tie the two histories together. Interviewers love asking about this distinction.
📊 Production Insight
Branches are cheap pointers, but branch strategy has massive production impact. A team of 20 engineers with undisciplined branching creates merge hell. Trunk-based development (short-lived branches, merge daily) reduces integration risk. Git Flow (feature -> develop -> release -> main) adds structure but increases merge conflict probability for long-lived branches. The trade-off: trunk-based requires comprehensive automated tests; Git Flow tolerates weaker test suites but adds process overhead. Choose based on your team's test coverage, not preference.
🎯 Key Takeaway
Branches are lightweight pointers enabling parallel development with zero risk to stable code. The branch strategy (trunk-based vs Git Flow) is a team decision with direct impact on integration frequency, conflict rate, and deployment velocity. No strategy compensates for weak automated tests.
Branching Strategy Selection
IfSmall team, strong test suite, continuous deployment.
UseTrunk-based development. Short-lived feature branches (< 1 day), merge to main frequently. Use feature flags for incomplete work.
IfLarger team, scheduled releases, moderate test coverage.
UseGit Flow or GitHub Flow. Feature branches merge to develop, release branches cut for stabilization, main holds production-ready code.
IfSolo developer or small team, infrequent releases.
UseGitHub Flow. All work on feature branches, merge to main via PR, deploy from main. Simpler than Git Flow.
IfMonorepo with multiple services.
UseTrunk-based with CODEOWNERS. Use path-based review requirements and service-specific CI triggers.

Configuring Git and Connecting to GitHub — The Full Picture

Git runs entirely on your local machine — everything we've done so far lives only on your computer. That's great for personal version control, but most real projects need a remote home so your team can access the code, or so you don't lose everything if your laptop dies. That's where platforms like GitHub, GitLab, and Bitbucket come in.

Think of your local repository as your personal notebook and GitHub as the shared whiteboard in the office. You do your thinking and drafting in your notebook, then when you're ready, you share your updates to the whiteboard. Your colleagues can pull your updates from the whiteboard into their own notebooks.

Before any of this works, Git needs to know who you are. Every commit is stamped with a name and email address so your team knows who made each change. This is a one-time setup on your machine. After that, you point Git at your remote repository with git remote add, push your work up with git push, and pull your teammates' work down with git pull.

You don't need a GitHub account to learn Git locally, but you'll want one before you share any project or apply for jobs — your GitHub profile is your public portfolio.

04_github_setup.sh · BASH
12345678910111213141516171819202122232425262728293031
# ── PART 1: One-time global configuration ──────────────────────────────────

# Tell Git your name — this appears on every commit you ever make
git config --global user.name "Alex Johnson"

# Tell Git your email — use the same email as your GitHub account
git config --global user.email "alex.johnson@example.com"

# Set VS Code as your default editor (optional but recommended for beginners)
git config --global core.editor "code --wait"

# Confirm your settings look correct
git config --list

# ── PART 2: Connect your local repo to GitHub ───────────────────────────────
# Assumes you've created an empty repo on github.com called 'my-first-project'

# Add the remote — 'origin' is the conventional name for your primary remote
# Replace YOUR_USERNAME with your actual GitHub username
git remote add origin https://github.com/YOUR_USERNAME/my-first-project.git

# Verify the remote was added correctly
git remote -v

# ── PART 3: Push your local commits to GitHub ───────────────────────────────
# -u sets 'origin main' as the default so future pushes just need 'git push'
git push -u origin main

# ── PART 4: Pull the latest changes from GitHub (use this daily) ────────────
# This fetches + merges any changes your teammates pushed since your last pull
git pull origin main
▶ Output
user.name=Alex Johnson
user.email=alex.johnson@example.com
core.editor=code --wait

origin https://github.com/YOUR_USERNAME/my-first-project.git (fetch)
origin https://github.com/YOUR_USERNAME/my-first-project.git (push)

Enumerating objects: 4, done.
Counting objects: 100% (4/4), done.
Delta compression using up to 8 threads
Compressing objects: 100% (3/3), done.
Writing objects: 100% (4/4), 381 bytes | 381.00 KiB/s, done.
Total 4 (delta 0), reused 0 (delta 0), pack-reused 0
To https://github.com/YOUR_USERNAME/my-first-project.git
* [new branch] main -> main
branch 'main' set up to track 'origin/main'.

Already up to date.
💡Pro Tip: Use SSH Instead of HTTPS for Fewer Password Prompts
Connecting via HTTPS means GitHub will ask for credentials frequently. Set up an SSH key pair once (ssh-keygen -t ed25519 -C 'your@email.com') and add the public key to your GitHub account settings. Then use the SSH remote URL (git@github.com:USERNAME/repo.git) instead of HTTPS. You'll never type a password again for that machine.
📊 Production Insight
The distinction between git fetch and git pull is critical in production. git fetch downloads remote changes but does not modify your working directory — it's safe to run anytime. git pull is git fetch followed by git merge (or git rebase if configured), which modifies your local branch. In CI/CD pipelines and shared environments, always prefer git fetch first, inspect the changes with git log HEAD..origin/main, then decide whether to merge or rebase. Blind git pull on a dirty working directory can create confusing merge states.
🎯 Key Takeaway
Git is local-first; remotes are collaboration layers. git fetch is a read operation (safe, inspectable); git pull is a write operation (modifies history). In production, prefer fetch-then-inspect over blind pull. SSH keys eliminate credential friction for daily workflows.
Syncing with Remote: Fetch vs Pull
IfYou want to see what changed remotely without affecting your work.
UseUse git fetch origin then inspect with git log HEAD..origin/main.
IfYou want to incorporate remote changes into your current branch.
UseUse git pull --rebase origin main to replay your commits on top. Cleaner history than merge.
IfYou have uncommitted changes and need to pull.
UseStash first: git stash, then pull, then git stash pop. Pulling with uncommitted changes can create conflicts that are harder to resolve.
IfYou want your local branch to exactly match remote (discard local commits).
UseUse git fetch origin && git reset --hard origin/main. This destroys local work — use with caution.
ConceptWhat It IsReal-World Analogy
RepositoryA folder Git is tracking, with full history stored in .gitA library with a complete archive of every past edition of every book
CommitA permanent snapshot of your project at a specific momentA dated photograph of your entire project folder, sealed forever
BranchAn independent parallel line of developmentA side canal dug from the main river — experiments happen there, not in the river
Staging AreaA holding zone where you choose what goes into the next commitPacking items into a box before you seal and label it
MergeCombining the history of one branch into anotherReconnecting the side canal back to the main river
Remote (GitHub)An online copy of your repository that your team can accessThe shared whiteboard in the office — everyone reads from and writes to it
git pushSending your local commits up to the remote repositoryCopying your notebook updates onto the shared whiteboard
git pullDownloading commits from the remote into your local repoCopying the shared whiteboard updates back into your notebook
Merge vs RebaseMerge preserves branch history with a merge commit; rebase rewrites history to be linearMerge is tying two ropes together with a knot; rebase is untying one rope and splicing it onto the end of the other
git fetch vs git pullFetch downloads remote changes without modifying working directory; pull fetches then mergesFetch is reading the whiteboard without touching your notebook; pull is reading and immediately copying changes in
ReflogA local log of every HEAD movement — your safety net for recoveryA GPS tracker on your car — even if you drive somewhere and forget how to get back, it remembers every turn

🎯 Key Takeaways

  • A Git repository is just a normal folder with a hidden .git directory inside it — that directory is Git's entire memory, storing every snapshot of your project ever taken.
  • Committing is a two-step process by design: 'git add' stages the exact changes you want, and 'git commit' permanently seals that snapshot with a message — this intentional separation gives you precision control over what goes into each save.
  • Branches let you experiment in complete isolation from your working code — the industry-standard workflow is to never commit directly to main, always branch, then merge after review.
  • Git is local-first: everything works on your machine without internet access. GitHub is a remote host — it's not Git itself, it's a platform that stores a copy of your Git repository online so teams can collaborate.
  • The reflog is your ultimate recovery tool — it records every HEAD movement for 90 days, meaning almost any 'lost' commit can be recovered as long as you act before garbage collection runs.
  • Merge preserves history faithfully; rebase rewrites it to be linear. The choice is a trade-off between auditability (merge) and readability (rebase). Never rebase commits that others have based work on.

⚠ Common Mistakes to Avoid

    Committing directly to main instead of a branch
    Symptom

    your experimental or broken code is now in the stable codebase, and if you're working on a team, you may break everyone else's work —

    Fix

    always create a feature branch first ('git switch -c my-feature-name'), do your work there, then merge back to main when it's ready and reviewed.

    Writing vague commit messages like 'fix', 'update', or 'wip'
    Symptom

    six months later you run 'git log' and have no idea what any commit actually changed, making debugging or reverting nearly impossible —

    Fix

    write messages in the imperative present tense that describe the change: 'Fix null pointer error in user login flow' or 'Add email validation to signup form'. A good rule: your message should complete the sentence 'If applied, this commit will...'

    Using 'git add .' without checking what you're staging
    Symptom

    you accidentally commit secret API keys, passwords, huge binary files, or auto-generated build folders (like node_modules) to your repository —

    Fix

    always run 'git status' before 'git add .' to see exactly what will be staged. Create a .gitignore file in your repo root and list any files or folders Git should never track (e.g., node_modules/, .env, *.log). If you accidentally commit a secret, change it immediately — Git history is public on GitHub.

    Force-pushing to shared branches
    Symptom

    teammates' local branches diverge from remote, commits disappear from history, and CI pipelines run against unexpected code —

    Fix

    never use git push --force on main, develop, or any branch others pull from. Use --force-with-lease only on personal feature branches, and always fetch before using it. Enable branch protection rules that block force-pushes.

    Ignoring merge conflicts and committing conflict markers
    Symptom

    code with literal <<<<<<< HEAD strings deployed to production, causing runtime errors —

    Fix

    after resolving conflicts, always search your codebase for <<<<<<< before committing. Configure a pre-commit hook or linter that blocks commits containing conflict markers.

    Using `git pull` without understanding it creates merge commits
    Symptom

    git log shows a messy history filled with 'Merge branch main' commits that add no value —

    Fix

    configure git config --global pull.rebase true to rebase instead of merge on pull, keeping history linear and reviewable.

Interview Questions on This Topic

  • QWhat is the difference between 'git fetch' and 'git pull', and when would you use each one?
  • QCan you explain the difference between merging and rebasing in Git, and what are the trade-offs of each approach?
  • QIf you accidentally committed a file containing a database password to a public GitHub repository, what would you do immediately and why?
  • QExplain the Git object model. What are blobs, trees, commits, and tags, and how do they relate to each other?
  • QYour team's repository has grown to 5GB and cloning takes 30 minutes. How would you diagnose and fix this?
  • QWhat is a detached HEAD state, how do you get into it, and how do you recover if you made commits while detached?

Frequently Asked Questions

What is the difference between Git and GitHub?

Git is the version control software that runs on your local computer and tracks changes to your files. GitHub is a website that hosts Git repositories online so teams can share and collaborate on code. You can use Git without GitHub, but you need Git installed to work with GitHub repositories. Think of Git as the engine and GitHub as the parking garage where everyone stores and shares their cars.

Do I need to pay for Git or GitHub?

Git itself is completely free and open-source. GitHub offers a free tier that covers everything individual developers and most small teams need, including unlimited public and private repositories. Paid plans exist for larger organisations that need advanced access controls, audit logs, and enterprise features. For learning and most professional use, the free tier is more than enough.

What happens if two people edit the same file at the same time — does Git break?

Git handles this remarkably well through a concept called merging. If two people change different parts of the same file, Git automatically combines both changes without any conflict. If two people change the exact same line, Git flags a 'merge conflict' and asks a human to decide which version (or combination) to keep. This is a normal, routine part of collaborative development — Git shows you exactly which lines conflict and you resolve them manually, then commit the resolution.

What is the difference between merge and rebase, and when should I use each?

Merge creates a new commit that ties together two branch histories, preserving the exact timeline of when each change was made. Rebase takes your commits and replays them on top of another branch, creating a linear history. Use merge when you want to preserve the true history of how development happened (important for auditing). Use rebase on feature branches before merging to main to keep the project history clean and linear. The critical rule: never rebase commits that have been pushed to a shared branch, as this rewrites history that others may have based work on.

How do I undo a commit that I already pushed to the remote?

If the commit is the most recent one, use git revert <sha> — this creates a new commit that undoes the changes without rewriting history, making it safe for shared branches. If you must completely erase the commit (e.g., it contains secrets), use git reset --hard HEAD~1 locally then git push --force-with-lease, but only if no one else has pulled the commit. For commits further back in history, git revert is still the safest option on shared branches.

🔥
Naren Founder & Author

Developer and founder of TheCodeForge. I built this site because I was tired of tutorials that explain what to type without explaining why it works. Every article here is written to make concepts actually click.

Next →Git Branching and Merging
Forged with 🔥 at TheCodeForge.io — Where Developers Are Forged