Hands-on demo – Working with Git Locally
Git is a distributed version control system that allows developers to track changes in code, collaborate, and manage projects efficiently. Working with Git locally means managing code changes, commits, branches, and repositories directly on your machine before pushing them to a remote repository (e.g., GitHub, GitLab, Bitbucket).
Key Concepts
Repository: A collection of your project files and the entire Git history.
Commit: A snapshot of the code at a particular point in time.
Branch: A separate line of development that diverges from the main project (e.g.,
main
ormaster
).Staging Area: A place where changes are prepared before committing them.
Basic Git Workflow with Examples
Initialize a Git Repository
To start working with Git, you need to create a Git repository (also known as a repo).
x1# Navigate to your project directory
2cd path/to/your/project
3
4# Initialize a new Git repository
5git init
This will create a .git
folder in the project directory to manage version control.
Making Changes
After initializing the repository, you can make changes to files.
xxxxxxxxxx
21# Create or edit a file
2echo "Hello, World!" > index.html
Tracking Changes
To track changes, use git status
. This command shows which files are modified, staged, or untracked.
xxxxxxxxxx
11git status
Example output:
xxxxxxxxxx
41On branch main
2Changes to be committed:
3 (use "git reset HEAD <file>" to unstage)
4 modified: index.html
Staging Changes
To stage changes for commit, use git add
.
xxxxxxxxxx
11git add index.html
Committing Changes
Once changes are staged, commit them using git commit
.
xxxxxxxxxx
11git commit -m "Added a simple HTML page"
Viewing Commit History
To view the commit history, use git log
.
xxxxxxxxxx
11git log
Example output:
xxxxxxxxxx
41commit 1234567abcde
2Author: Your Name <your.email@example.com>
3Date: Wed Dec 21 12:00:00 2024 +0000
4 Added a simple HTML page
Branching
To create a new branch, use git branch
.
xxxxxxxxxx
11git branch feature-branch
Switch to the new branch with:
xxxxxxxxxx
11git checkout feature-branch
Merging Branches
After making changes in a branch, merge them back into the main branch.
xxxxxxxxxx
21git checkout main
2git merge feature-branch
Pushing to Remote Repository
Once changes are locally committed, push them to a remote repository.
xxxxxxxxxx
11git push origin main
This uploads changes to the remote repository.
Summary
Working with Git locally involves creating a repository, making changes, staging them, committing them, and managing branches. Once everything is ready, you push your changes to a remote repository for collaboration.
Leave a Reply