Latest 100 Questions about Git

Table of Contents

Introduction

Git is a popular version control system used by software developers to track changes in their codebase. During a Git interview, candidates may be asked various questions to assess their knowledge and skills related to Git. These questions can cover topics such as basic Git commands, branching and merging, resolving conflicts, and collaborating with others using Git. Understanding how Git works and being familiar with common Git workflows is essential. Additionally, knowledge of Git hosting platforms like GitHub or GitLab can be advantageous. By preparing for Git interview questions, candidates can demonstrate their proficiency in using Git for efficient and collaborative code management.

Basic Questions

1. What is Git?

Git is a distributed version control system designed to track changes in source code during software development. It allows multiple developers to collaborate on a project simultaneously, managing different versions of the codebase, and easily merging their work. Git is known for its speed, efficiency, and flexibility, making it one of the most widely used version control systems in the software development industry.

2. Why is version control important in software development?

Version control is crucial in software development for several reasons:

  1. Collaboration: Version control enables multiple developers to work on the same project concurrently, facilitating collaboration and preventing conflicts.
  2. History Tracking: It maintains a complete history of changes made to the codebase, allowing easy access to previous versions, which is beneficial for debugging and understanding code evolution.
  3. Branching and Merging: Developers can create branches to work on new features or bug fixes without affecting the main codebase. Branches can later be merged back, ensuring a clean integration of changes.
  4. Reproducibility: With version control, it’s easier to recreate past states of the code, making it simpler to reproduce bugs and test different scenarios.
  5. Backup and Recovery: Code repositories act as backups, reducing the risk of data loss and providing recovery options in case of accidents or hardware failures.
  6. Code Reviews: Version control facilitates code reviews, where team members can evaluate changes before merging them into the main codebase.
  7. Continuous Integration and Deployment (CI/CD): Version control is a foundation for modern development practices like CI/CD, enabling automated testing and deployment processes.

3. What is a repository in Git?

In Git, a repository (repo) is a data structure that stores all the information about a project, including its version history, configuration, and branches. It typically resides in a folder in the local file system and can be hosted remotely on services like GitHub or GitLab.

To create a new Git repository, you can use the git init command in the root directory of your project:

Git Commit
git init

This command initializes an empty Git repository, and you can start adding files and tracking changes.

4. Can you describe the basic Git workflow?

The basic Git workflow involves the following steps:

  1. Initialize: Create a new Git repository or clone an existing one.
  2. Add Files: Add files to the staging area using git add to prepare them for the next commit.
  3. Commit: Create a snapshot of the staged changes using git commit.
  4. Branch: Create branches to work on new features or bug fixes independently.
  5. Merge: Merge changes from one branch into another using git merge to integrate work.
  6. Push: Send local commits to a remote repository using git push.
  7. Pull: Fetch and merge changes from a remote repository using git pull.
  8. Review and Repeat: Continuously review code, add new changes, commit, and repeat the process.

5. How do you initialize a new Git repository?

To initialize a new Git repository, navigate to the root directory of your project and use the git init command:

Git Commit
cd /path/to/your/project
git init

This will create a new Git repository in the project directory, and you can start adding files and tracking changes.

6. What is the difference between Git and GitHub?

Git and GitHub are related but distinct concepts:

Git: Git is a distributed version control system designed for tracking changes in source code. It is a command-line tool that allows developers to manage repositories, branches, commits, and merges locally on their computers.

GitHub: GitHub is a web-based platform that provides hosting services for Git repositories. It offers additional features such as a graphical user interface (GUI), issue tracking, pull requests, collaboration tools, and the ability to host and share repositories with others.

7. How do you clone a Git repository?

To clone an existing Git repository from a remote server (e.g., GitHub) to your local machine, use the git clone command followed by the repository URL:

Git Commit
git clone <repository_url>

For example, to clone a repository named “my-project” from GitHub, you would use:

Git Commit
git clone https://github.com/username/my-project.git

This command creates a new directory called “my-project” and downloads all the files and the entire history from the remote repository.

8. What is the purpose of the `git add` command?

The git add command is used to add changes made to files in the working directory to the staging area. When you make changes to files, Git needs to know which changes should be included in the next commit. The git add command allows you to selectively choose the changes you want to include in the next commit.

For example, to add all changes in the working directory to the staging area, you can use:

Git Commit
git add .

Or to add specific files, you can use:

Git Commit
git add file1.txt file2.js

After using git add, the changes are ready to be committed with git commit.

9. Can you explain what `git commit` does?

The git commit command creates a new snapshot of the changes in the staging area and permanently stores them in the Git repository. Each commit has a unique identifier (SHA-1 hash) and contains information about the changes, the author, timestamp, and a commit message describing the changes made.

To make a commit, you use the following command:

Git Commit
git commit -m "Your commit message here"

For example:

Git Commit
git commit -m "Implemented new feature X"

Once committed, the changes become a part of the repository’s history and can be accessed and tracked in the future.

10. How would you push changes to a remote repository in Git?

To push local commits to a remote repository, you use the git push command followed by the remote name and the branch name:

Git Commit
git push <remote_name> <branch_name>

For instance, if you want to push the changes from your local “master” branch to the remote repository named “origin,” you would use:

Git Commit
git push origin master

This sends the commits to the remote repository, making them accessible to other collaborators and updating the remote branch with your changes.

11. What is the function of the `git pull` command?

The git pull command is used to fetch the latest changes from a remote repository and automatically merge them into the current local branch. It is a combination of two operations: git fetch (to get the latest changes) and git merge (to integrate them into the local branch).

To pull changes from the remote repository, use:

Git Commit
git pull <remote_name> <branch_name>

For example:

Git Commit
git pull origin master

This command is useful when you want to update your local branch with the latest changes made by other team members before you push your own changes.

12. What is a ‘branch’ in Git?

A branch in Git is a lightweight movable pointer that represents a specific snapshot of the codebase. The default branch is usually called “master” and represents the main line of development. Developers can create new branches to work on features or bug fixes independently without affecting the main codebase.

Branches allow for parallel development and easy experimentation with new ideas. When changes are committed to a branch, only that branch’s pointer moves forward, keeping other branches unaffected until they are merged together.

13. How do you create a new branch in Git?

To create a new branch in Git, you use the git branch command followed by the name of the new branch and the starting point (usually the branch you are currently on):

Git Commit
git branch <new_branch_name> [<starting_branch>]

For example, to create a new branch called “feature-xyz” based on the current branch, you would use:

Git Commit
git branch feature-xyz

After creating the new branch, you can switch to it using git checkout or git switch:

Git Commit
git checkout feature-xyz  # or git switch feature-xyz

Now, any commits you make will be stored on the new branch.

14. What is a ‘merge’ in Git and when do you use it?

A merge in Git combines changes from one branch into another branch. When you want to incorporate the work done on a feature branch back into the main branch (e.g., “master”), you perform a merge.

Here’s how you can do it:

  1. First, switch to the target branch (e.g., “master”):
Git Commit
   git checkout master  # or git switch master 
  1. Next, merge the changes from the feature branch (e.g., “feature-xyz”) into the target branch:
Git Commit
   git merge feature-xyz

If there are no conflicts, Git will automatically apply the changes, and the branches are merged. If there are conflicts (i.e., conflicting changes in the same part of a file), Git will prompt you to resolve them manually.

15. What is the purpose of the `.gitignore` file?

The .gitignore file is used to specify which files and directories should be ignored by Git when tracking changes. It is especially useful for excluding files that are generated by the build process, temporary files, and sensitive information (e.g., API keys or passwords) that should not be committed to the repository.

To use the .gitignore file, simply create it in the root directory of your project and list the files and patterns you want to ignore. Each line represents a file or a pattern, and you can use wildcards to match multiple files.

Example .gitignore file:

Git Commit
# Ignore compiled output and temporary files
build/
*.log

# Ignore sensitive information
secrets.txt
config.json

After creating or updating the .gitignore file, Git will ignore the specified files and not include them in commits.

16. What is the difference between `git pull` and `git fetch`?

Both git pull and git fetch are used to retrieve changes from a remote repository, but they work differently:

git pull:

  • Fetches the changes from the remote repository and immediately merges them into the current branch.
  • It’s a combination of git fetch and git merge.
  • It may result in automatic merges, and if there are conflicts, you’ll need to resolve them immediately.

git fetch:

  • Only fetches the changes from the remote repository, but does not automatically merge them into the current branch.
  • It updates your remote tracking branches (e.g., origin/master) with the latest changes.
  • You need to use git merge or git rebase to integrate the fetched changes into your local branch.

17. How do you resolve a merge conflict in Git?

When Git encounters conflicting changes during a merge (e.g., two branches modifying the same lines in a file), it marks the conflicted areas in the affected files. To resolve the conflict, follow these steps:

  1. Open the conflicted file(s) in your text editor. Git will show the conflicting sections with markers like <<<<<<<, =======, and >>>>>>>.
  2. Edit the file to remove the conflicting sections and keep the desired changes. You can also manually merge the changes.
  3. Save the file with the resolved changes.
  4. After resolving all conflicts, add the modified files to the staging area using git add.
  5. Finally, complete the merge by creating a new merge commit using git commit.

Example:

Suppose we have a conflict in the file “app.js”:

Git Commit
<<<<<<< HEAD
console.log("This is the main branch.");
=======
console.log("This is the feature branch.");
>>>>>>> feature-xyz

After manually resolving the conflict:

Git Commit
console.log("This is the resolved version.");

Then, you add and commit the changes:

Git Commit
git add app.js
git commit -m "Resolved merge conflict in app.js"

18. What does `git status` command do?

The git status command shows the current status of the working directory and the staging area (index) in relation to the Git repository. It displays information such as:

  • Which branch you are currently on.
  • Changes made to files that are not yet staged (modified but not added).
  • Changes added to the staging area but not committed.
  • Untracked files that are not yet added to the staging area.

Running git status is useful to quickly understand the state of your repository and identify which files need attention or staging for the next commit.

19. What is a ‘commit’ in Git?

A commit in Git represents a snapshot of the codebase at a specific point in time. It includes the changes made since the last commit and contains a unique identifier (SHA-1 hash), author information, a timestamp, and a commit message describing the changes.

Commits are the fundamental units of version control in Git. They allow developers to keep track of the code’s evolution, make it easy to collaborate, and provide a way to revert changes if needed.

20. How do you revert a commit in Git?

To revert a commit in Git (i.e., undo its changes), you can use the git revert command followed by the commit’s identifier:

Git Commit
git revert <commit_id>

For example, to revert the most recent commit, you can use:

Git Commit
git revert HEAD

This creates a new commit that undoes the changes introduced by the specified commit. It is a safe way to revert changes while preserving the commit history.

If you want to remove the most recent commit entirely (including from history), you can use git reset or git reset --hard, but this should be done with caution, as it can result in data loss.

21. What is ‘HEAD’ in Git?

In Git, ‘HEAD’ is a special pointer that points to the latest commit in the current branch. It represents the current state of your working directory and serves as a reference for various Git operations.

For example:

  • When you create a new commit, ‘HEAD’ moves to the new commit to mark it as the latest state.
  • When you switch branches using git checkout or git switch, ‘HEAD’ points to the latest commit of the newly checked-out branch.
  • When you perform a merge or a rebase, ‘HEAD’ is used as a reference for the operation.

22. What is a ‘fork’ in Git?

A fork in Git refers to a copy of a repository that is created on a remote platform like GitHub or GitLab. Forking allows you to duplicate a project hosted in another user’s repository, enabling you to experiment with changes without directly affecting the original project.

Typically, developers fork a repository to contribute to an open-source project or to collaborate on a new feature without having direct write access to the original repository. After making changes in the forked repository, they can submit pull requests to propose merging those changes back into the original project.

23. How do you rename a branch in Git?

To rename a branch in Git, you can use the git branch command followed by the -m option:

Git Commit
git branch -m <new_branch_name>

For example, to rename the current branch to “new-feature,” you would use:

Git Commit
git branch -m new-feature

If you are on the branch you want to rename, you can omit the branch name and just provide the new name:

Git Commit
git branch -m new-feature

Keep in mind that renaming a branch only affects the local branch name. If the branch has a corresponding remote branch, the remote branch name will not be changed automatically. You can use git push to set the new branch name on the remote repository:

Git Commit
git push origin -u new-feature

This will update the remote branch name to match the new name.

24. How do you delete a branch in Git?

To delete a branch in Git, you can use the git branch command with the -d or -D option:

  • Use -d (lowercase) to delete a branch that has been fully merged into the current branch:
Git Commit
  git branch -d <branch_name>
  • Use -D (uppercase) to force delete a branch, even if it contains unmerged changes:
Git Commit
  git branch -D <branch_name>

For example, to delete a branch called “feature-xyz,” you would use:

Git Commit
git branch -d feature-xyz

Deleting a branch removes it from your local repository, but it does not delete the branch on any remote repository. To delete a remote branch, you can use git push with the --delete option:

Git Commit
git push origin --delete <branch_name>

25. What are ‘remote’ in Git and how do you add one?

In Git, ‘remote’ refers to a repository hosted on a server, typically on a platform like GitHub, GitLab, or Bitbucket. It represents a connection to a remote repository that you can fetch from and push to.

To add a remote repository, you use the git remote add command followed by a name for the remote and the URL of the repository:

Git Commit
git remote add <remote_name> <repository_url>

For example, to add a remote repository called “origin” hosted on GitHub:

Git Commit
git remote add origin https://github.com/username/repo.git

Once you’ve added a remote, you can push your local changes to it using git push, fetch changes from it using git fetch, and more.

26. What does `git cherry-pick` do?

The git cherry-pick command is used to apply a specific commit from one branch to another branch. It allows you to pick individual commits and apply them to your current branch, even if the commit belongs to a different branch.

To cherry-pick a commit, you need to know its unique identifier (SHA-1 hash). Use the following command:

Git Commit
git cherry-pick <commit_id>

For example:

Git Commit
git cherry-pick abc12345

This will apply the changes from the specified commit to your current branch as a new commit.

Cherry-picking can be helpful when you want to apply a bug fix or a specific feature from one branch to another without merging the entire branch.

27. What is the purpose of a `git rebase`?

The git rebase command is used to move or combine a sequence of commits to a new base commit. It allows you to rewrite the commit history by applying each commit on top of a different commit.

When you rebase a branch onto another branch or commit, it appears as if the changes made on the rebased branch were made directly on top of the new base.

The general syntax for rebasing is:

Git Commit
git rebase <base_branch>

For example, to rebase the current branch onto the “master” branch:

Git Commit
git rebase master

Rebasing can be used to keep a clean, linear history and avoid unnecessary merge commits. However, it should be used with caution, especially when working in a shared repository, as it rewrites the commit history and can cause conflicts.

28. What is the ‘stash’ operation in Git?

The ‘stash’ operation in Git allows you to save changes in the working directory that are not ready to be committed but need to be temporarily set aside. Stashing is useful when you need to switch to a different branch but don’t want to commit unfinished work.

To stash changes, use the git stash command:

Git Commit
git stash

This will save the changes in a special area and revert your working directory to the last committed state. You can then switch branches or perform other operations.

To retrieve the stashed changes later, you can use git stash apply or git stash pop:

Git Commit
git stash apply   # Retrieves the stashed changes without removing them from the stash
git stash pop     # Retrieves the stashed changes and removes them from the stash

29. How do you view the commit history in Git?

To view the commit history in Git, you can use the git log command:

Git Commit
git log

This will display a list of commits, showing the commit message, author information, date, and a unique commit hash for each commit. The most recent commits are listed first.

By default, git log shows the commit history for the current branch. You can also view the commit history for a specific branch or a remote branch by providing the branch name as an argument:

Git Commit
git log <branch_name>

You can use various options with git log to customize the output, such as displaying a condensed summary, limiting the number of commits shown, or formatting the output in different ways.

30. What is the difference between a ‘fast-forward’ and ‘3-way’ merge in Git?

Both ‘fast-forward’ and ‘3-way’ merges are methods of combining changes from one branch into another.

Fast-forward merge:

  • Occurs when the target branch has no new commits since the branch was created or last synchronized with the main branch.
  • In a fast-forward merge, Git simply moves the target branch pointer to the latest commit of the source branch.

3-way merge:

  • Occurs when there are new commits on both the target branch and the source branch since they diverged.
  • In a 3-way merge, Git uses the common ancestor of the branches (the point where they diverged) as a reference to combine changes.

31. Can you explain how ‘conflict resolution’ works in Git?

Conflicts occur in Git when there are conflicting changes in the same part of a file between two branches that are being merged. Git will mark the conflicted areas in the affected files with special markers like <<<<<<<, =======, and >>>>>>>, showing both versions of the conflicting changes.

To resolve a conflict, you need to manually edit the conflicted file, removing the conflict markers and selecting the desired changes. After making the necessary changes, you save the file and stage it using git add. Once all conflicts are resolved, you complete the merge by creating a new merge commit with git commit.

Example conflict in “app.js”:

Git Commit
<<<<<<< HEAD
console.log("This is the main branch.");
=======
console.log("This is the feature branch.");
>>>>>>> feature-xyz

After resolving the conflict:

Git Commit
console.log("This is the resolved version.");

You then add and commit the changes:

Git Commit
git add app.js
git commit -m "Resolved merge conflict in app.js"

After resolving conflicts, the merge is completed, and the branches are successfully merged.

32. What is ‘bisecting’ in Git and why would you use it?

‘Bisecting’ is a technique in Git used to find the commit that introduced a bug or a regression. It involves using a binary search to systematically identify the commit where the issue first appeared.

To start the bisecting process, you use the git bisect command:

Git Commit
git bisect start

You then mark one commit as “bad” (contains the bug) and another commit as “good” (known to be bug-free). Git will automatically check out a commit halfway between the two and prompt you to test whether the issue is present. Based on your feedback, Git will narrow down the problematic commit and continue the process until the faulty commit is identified.

Bisecting can save time and effort in large codebases or when bugs are difficult to locate manually.

33. What does the `git reset` command do?

The git reset command is used to undo changes made to the working directory and/or the staging area (index). It allows you to reset the state of the repository to a specific commit or branch.

There are three main options for git reset:

  1. –soft: Moves the branch pointer to the specified commit without changing the working directory or the staging area. It allows you to recommit the changes later.
  2. –mixed (default): Moves the branch pointer and resets the staging area to the specified commit. The working directory remains unchanged, and the changes are not staged.
  3. –hard: Moves the branch pointer, resets the staging area, and reverts the working directory to the state of the specified commit. All changes made after that commit are permanently removed.

Example:

Git Commit
git reset --soft HEAD~1   # Reset to the previous commit, keeping changes in the working directory and staging area.
git reset --mixed HEAD~1  # Reset to the previous commit, removing changes from the staging area but keeping them in the working directory.
git reset --hard HEAD~1   # Reset to the previous commit, discarding all changes made after that commit.

34. How do you find a bug or error in the Git commit history?

To find a bug or error in the Git commit history, you can use git bisect, which performs a binary search to identify the commit where the bug was introduced.

Here are the steps:

  1. Start the bisecting process:
Git Commit
   git bisect start
  1. Mark a known “good” commit (before the bug):
Git Commit
   git bisect good <commit_id>
  1. Mark a known “bad” commit (contains the bug):
Git Commit
   git bisect bad <commit_id>
  1. Git will automatically check out a commit in between the “good” and “bad” commits.
  2. Test the code to determine if the bug is present. If it’s present, mark it as “bad”:
Git Commit
   git bisect bad

If it’s not present, mark it as “good”:

Git Commit
   git bisect good
  1. Git will continue narrowing down the commits until it finds the one where the bug was introduced.

35. How do you resolve a merge conflict using the command line in Git?

To resolve a merge conflict in Git using the command line, follow these steps:

  1. First, check the status of the conflict using git status. It will show the conflicted files.
  2. Open the conflicted file in a text editor. You will see conflict markers indicating the conflicting sections.
  3. Edit the file to resolve the conflict. Remove the conflict markers (<<<<<<<, =======, and >>>>>>>) and choose the desired changes from both versions.
  4. Save the file after resolving the conflict.
  5. Add the resolved file to the staging area using git add.
  6. Once all conflicted files are resolved and staged, complete the merge by creating a new merge commit with git commit.

For example, if you have resolved a conflict in the file “app.js,” the steps would be:

Git Commit
# Resolve the conflict in "app.js" using a text editor

# Add the resolved file to the staging area
git add app.js

# Commit the resolved changes
git commit -m "Resolved merge conflict in app.js"

This completes the merge with the conflict resolved.

36. What is ‘rebasing’ in Git and why would you use it?

Rebasing in

Git is the process of moving a branch to a new base commit. It allows you to apply the changes of one branch on top of another branch’s history, making it appear as if the work was done sequentially.

The main benefits of rebasing include:

  1. Maintaining a linear history: Rebasing can create a cleaner and more linear commit history without unnecessary merge commits.
  2. Synchronizing with the main branch: Rebasing your feature branch on top of the latest changes in the main branch keeps your branch up-to-date.
  3. Easier code review: A linear history makes it easier for others to review your changes.

However, rebasing should be used with caution, especially when working with shared branches or collaborating with other developers, as it rewrites the commit history and can lead to conflicts.

To rebase a branch, use the git rebase command followed by the branch you want to rebase onto:

Git Commit
git rebase <base_branch>

For example, to rebase a feature branch called “feature-xyz” onto the “master” branch:

Git Commit
git rebase master

37. What is the difference between `git checkout` and `git switch`?

In Git, both git checkout and git switch are used to switch branches or to create a new branch, but git switch is a more recent command and provides a more straightforward and safer syntax.

git checkout:

  • In older versions of Git (before 2.23), git checkout was used to switch branches or create new branches.
  • It has a mixed usage, which sometimes causes confusion. It can also be used for other operations like checking out files and commits.

git switch:

  • Introduced in Git 2.23, git switch is a more specialized command for branch-related operations.
  • It is specifically designed for switching branches or creating new branches, making it less error-prone.

Example of creating and switching to a new branch using both commands:

Git Commit
# Using git checkout
git checkout -b new-feature-branch

# Using git switch
git switch -c new-feature-branch

Both commands will create a new branch called “new-feature-branch” and switch to it.

38. Can you describe the ‘3 stages’ of a Git project?

The ‘3 stages’ of a Git project refer to the different areas that hold changes during the development process:

  1. Working Directory: This is the directory where you make changes to your files. When you modify or add new files, these changes are in the working directory.
  2. Staging Area (Index): Before committing changes, you can choose which changes you want to include in the next commit. The staging area, also known as the index, acts as an intermediate area where you prepare changes for the commit. You use the git add command to move changes from the working directory to the staging area.
  3. Repository (History): The repository, also known as the commit history, contains all the committed snapshots of your project. When you use git commit, the changes in the staging area are permanently saved to the repository as a new commit.

39. What is a ‘bare’ Git repository?

A ‘bare’ Git repository is a repository that does not have a working directory. It contains only the version control data and does not store the actual project files. Bare repositories are typically used for sharing and collaboration in a centralized workflow.

Bare repositories are often created on a server to serve as a central hub for collaboration. Developers can push and pull changes to and from the bare repository, but they cannot directly work in it since there is no working directory.

To create a bare repository, you use the --bare option with the git init command:

Git Commit
git init --bare <repository_name>.git

By convention, bare repository names end with the “.git” extension, although it is not a strict requirement.

40. How do you create and apply a patch in Git?

In Git, a patch is a file that contains the differences between two commits, branches, or revisions. It allows you to share changes with others or apply changes from one branch to another.

To create a patch, you can use the git format-patch command:

Git Commit
git format-patch <commit_range>

For example, to create a patch for the last three commits:

Git Commit
git format-patch HEAD~3..HEAD

This will generate a series of patch files with the changes introduced by each commit.

To apply a patch, you use the git apply command:

Git Commit
git apply <patch_file>

For example, to apply a patch named “my_patch.patch”:

Git Commit
git apply my_patch.patch

41. What are ‘submodules’ in Git and how are they used?

‘Submodules’ in Git allow you to include another Git repository as a subdirectory within your main repository. They are useful when you want to use an external library, project, or dependency as part of your own project while maintaining them separately.

To add a submodule to your project, you use the git submodule add command:

Git Commit
git submodule add <repository_url> <destination_directory>

For example:

Git Commit
git submodule add https://github.com/username/external-library.git lib/external-library

This adds the external repository as a submodule in the lib/external-library directory of your main project.

To clone a project that contains submodules, you can use the --recurse-submodules option with git clone to automatically initialize and update the submodules:

Git Commit
git clone --recurse-submodules <repository_url>

Submodules are beneficial when you want to track and use specific versions of external dependencies in your project while keeping them isolated and manageable.

42. What is the Git ‘reflog’ and how do you use it?

The Git ‘reflog’ (reference log) is a log that records updates to the tip of branches and other references in the repository. It acts as a safety net and helps you recover lost commits or branches, even after they are removed or overwritten.

You can use the git reflog command to view the reflog:

Git Commit
git reflog

This will display a list of recent changes to branches and HEAD. Each entry in the reflog has a unique reference name, a commit hash, and a description of the action performed.

For example:

Git Commit
0123456 HEAD@{0}: commit: Some commit message
789abc0 HEAD@{1}: checkout: moving from master to feature-xyz
def1234 HEAD@{2}: commit: Another commit message

To recover a commit or branch that was removed or overwritten, find its commit hash from the reflog and use git checkout or git branch to create a new branch or reset to that commit.

The reflog is a powerful tool, but be cautious when using it, as it is not a permanent record and may eventually be pruned by Git.

43. Can you explain the ‘detached HEAD’ state in Git?

In Git, the ‘detached HEAD’ state occurs when you check out a specific commit instead of a branch. In this state, you are no longer on a branch, and any new commits you create will not be part of a branch’s history.

This situation is called ‘detached HEAD’ because HEAD (the pointer to the current commit) is pointing directly to a commit, not to a branch. Instead of moving the branch pointer to the new commit, Git updates HEAD directly.

You might encounter a detached HEAD state when:

  • Checking out a specific commit using its hash:
Git Commit
  git checkout <commit_hash>
  • Checking out a tag or a remote branch (since they are not automatically linked to a local branch):
Git Commit
  git checkout tags/v1.0.0   # Checking out a tag
  git checkout origin/feature   # Checking out a remote branch

To return to a regular branch, create a new branch from the current commit using the git checkout -b command:

Git Commit
git checkout -b new-branch-name

Alternatively, if you want to keep the changes made in the detached HEAD state, you can create a new branch from the current commit and switch to it:

Git Commit
git checkout -b new-branch-name

44. How would you squash commits in Git?

Squashing commits in Git allows you to combine multiple commits into a single, more organized commit. This is particularly useful to clean up a branch before merging it into the main branch or to provide a more coherent commit history.

To squash commits, you can use an interactive rebase (git rebase -i) and specify how many commits you want to squash.

Here are the steps to squash the last N commits into a single commit:

  1. Start an interactive rebase with the last N commits:
Git Commit
   git rebase -i HEAD~N

This will open an editor with a list of the N most recent commits.

  1. Replace the pick command with squash (or its shorthand s) for all commits you want to squash except the first one. Keep the pick command for the commit you want to retain as the final squashed commit. For example:
Git Commit
   pick abc1234 First commit
   squash def5678 Second commit
   squash ghi8901 Third commit

Save and close the editor.

  1. Another editor will open, allowing you to edit the commit message for the new squashed commit. Keep the desired commit message or modify it as needed. Save and close the editor.
  2. The commits are now squashed into a single commit with the specified commit message.

45. What does `git clean` do?

The git clean command is used to remove untracked files and directories from the working directory. Untracked files are files that are not being tracked by Git, meaning they have not been added to the staging area or committed.

To remove untracked files from the working directory, use the following command:

Git Commit
git clean -f

The -f option is used to force the clean operation, as Git will prompt you for confirmation before removing untracked files.

46. What is ‘cherry-picking’ in Git and why would you use it?

‘Cherry-picking’ in Git is the process of selecting and applying a specific commit from one branch to another. It allows you to pick individual commits and apply them to a different branch, even if the commits belong to a different branch or do not form a continuous history.

You would use cherry-picking when:

  • You want to apply a specific bug fix or feature from one branch to another without merging the entire branch.
  • You want to backport a commit from a newer branch to an older branch to fix a bug.

To cherry-pick a commit, use the git cherry-pick command followed by the commit hash:

Git Commit
git cherry-pick <commit_hash>

For example:

Git Commit
git cherry-pick abc12345

This will apply the changes introduced by the specified commit to the current branch as a new commit.

47. How would you revert a ‘rebase’ in Git?

If you want to undo the effects of a rebase operation and revert the branch to its original state, you can use the git reflog and git reset commands.

Here are the steps to revert a rebase:

  1. Use git reflog to find the commit hash of the state before the rebase:
Git Commit
   git reflog
  1. Identify the commit hash where the branch was before the rebase.
  2. Use git reset to move the branch pointer back to that commit:
Git Commit
   git reset --hard <commit_hash>

This will reset the branch and the working directory to the state before the rebase.

48. What are the differences between `.gitignore` and `.gitkeep`?

.gitignore and .gitkeep are both files used in Git, but they serve different purposes:

  • .gitignore: This file is used to specify files or directories that should be ignored by Git. It allows you to exclude certain files or patterns from being tracked, preventing them from being added to the repository. This is useful for avoiding the inclusion of temporary files, build artifacts, or sensitive data in the version control system.
  • .gitkeep: This file is used as a workaround to include an otherwise empty directory in the Git repository. By default, Git does not track directories that are empty, so if you want to add an empty directory to the repository, you can include a .gitkeep file inside it. The content of the .gitkeep file does not matter; its presence is enough to signal Git to track the directory.

For example, if you want to include an empty directory called “logs” in your repository, you can create a .gitkeep file inside the directory:

Git Commit
touch logs/.gitkeep

Keep in mind that .gitignore and .gitkeep are just regular files with specific names. They do not have any special behavior or meaning to Git itself, other than what developers conventionally use them for.

49. What is ‘hook’ in Git and how do you use it?

In Git, a ‘hook’ is a script that allows you to trigger custom actions at specific points in the Git workflow. Git provides a set of pre-defined hooks, which are stored in the .git/hooks directory of your repository. These hooks are not active by default, but you can customize and activate them to automate tasks and enforce policies in your development process.

Some of the pre-defined Git hooks include pre-commit, pre-receive, post-receive, pre-push, etc.

To use a Git hook:

  1. Navigate to the .git/hooks directory in your repository.
  2. Rename the desired hook file to remove the .sample extension. For example, to activate the pre-commit hook, you would rename pre-commit.sample to pre-commit.
  3. Edit the hook script to include the desired actions or commands. The script can be written in any scripting language, such as Bash, Python, or Ruby.
  4. Make sure the script is executable by running:
Git Commit
   chmod +x pre-commit

Now, when you perform specific Git actions, the corresponding hook will be executed, allowing you to enforce coding standards, run tests, or perform other automated tasks before certain operations are completed.

50. How do you handle large files with Git?

Handling large files in Git can be challenging because Git is not optimized for storing large binary files, such as media files, executables, or large datasets. Storing large files in Git can increase the repository size significantly and slow down repository operations.

To handle large files in Git, consider the following approaches:

  1. Git LFS (Large File Storage): Git LFS is an extension that replaces large files with text pointers, storing the actual file content in a separate storage server. This prevents the repository from bloating with binary files and improves performance. You need to install Git LFS and configure it on your repository to use this approach.
  2. Ignore large files: Add large files or file patterns to the .gitignore file to prevent them from being tracked by Git. However, this will not reduce the size of the existing commit history that includes those files.
  3. Use separate repositories: Consider using separate repositories for large files and source code. This keeps the source code repository clean and avoids performance issues.
  4. Archiving old files: For large files that are no longer actively used, consider archiving them separately to keep the repository size manageable.
  5. Git submodules: For projects with large dependencies, use Git submodules to keep the main repository lean and avoid storing large files directly.

Advanced Questions

51. What does the `git tag` command do and how do you use it?

The git tag command in Git is used to create, list, delete, or manipulate tags. A tag is a reference to a specific commit in the repository, representing a significant point in the project’s history, such as a release, a stable version, or a milestone.

To create a tag for the current commit, use the following command:

Git Commit
git tag <tag_name>

For example:

Git Commit
git tag v1.0.0

To create a tag for a specific commit, provide the commit hash as an argument:

Git Commit
git tag <tag_name> <commit_hash>

To list all tags in the repository, use:

Git Commit
git tag

To delete a tag, use the git tag -d command:

Git Commit
git tag -d <tag_name>

Tags are lightweight and do not move as new commits are added. They are intended to mark significant points in history and are commonly used for versioning and release management.

52. How do you synchronize your local repository with the remote repository without losing your local changes?

To synchronize your local repository with the remote repository without losing your local changes, you can use the following workflow:

  1. Commit or stash your changes: First, commit your local changes using git commit. If you’re not ready to commit the changes yet, use git stash to temporarily save them.
  2. Fetch changes from the remote: Use git fetch to fetch the latest changes from the remote repository without merging them into your local branch:
Git Commit
   git fetch origin
  1. Rebase or merge: Depending on your workflow, you can either rebase your local branch on top of the remote branch or merge the remote changes into your local branch.
  • To rebase your local branch: git rebase origin/<branch_name>
  • To merge the remote changes: git merge origin/<branch_name>
  1. Resolve conflicts (if any): During the rebase or merge, you may encounter conflicts if the same lines were modified both locally and remotely. Resolve any conflicts manually and commit the changes.
  2. Push your changes: After synchronizing and resolving conflicts, push your local changes to the remote repository:
Git Commit
   git push origin <branch_name>

53. How do you manage different versions of your code in Git?

In Git, managing different versions of your code is achieved through branching and tagging:

  1. Branching: Create branches for different features, bug fixes, or experiments. Each branch represents a separate line of development. You can work on different versions of your code simultaneously, merge changes between branches, and switch between branches to work on specific features.
  2. Merging: Merge changes from one branch into another to incorporate new features or bug fixes. Use different merge strategies, such as fast-forward merges or 3-way merges, depending on your needs.
  3. Tagging: Use tags to mark specific points in your history, such as releases or stable versions. Tags act as references to specific commits and serve as landmarks in your project’s timeline.

The typical workflow for managing different versions of your code in Git involves:

  • Creating a new branch for a new feature or bug fix:
Git Commit
  git checkout -b new-feature
  • Making changes in the new branch and committing them:
Git Commit
  git add .
  git commit -m "Implement new feature"
  • Merging changes back to the main branch when the feature is complete:
Git Commit
  git checkout main
  git merge new-feature
  • Creating a tag for a release:
Git Commit
  git tag v1.0.0
  • Pushing the changes and tags to the remote repository:
Git Commit
  git push origin main
  git push --tags

With branching and tagging, you can effectively manage different versions of your code, enabling parallel development, feature isolation, and versioning.

54. What is a ‘pull request’ in Git and what is its purpose?

A ‘pull request’ in Git is a feature used in distributed version control systems like Git to propose changes to a repository. It allows developers to submit their changes to the repository maintainers for review and integration.

The process of creating a pull request typically involves the following steps:

  1. Create a branch: Fork the original repository and create a new branch for your changes.
  2. Make changes: Commit your changes to the new branch.
  3. Create the pull request: In the original repository, submit a pull request from your branch to the main branch of the repository.
  4. Code review: The repository maintainers or other team members review your changes, provide feedback, and suggest improvements.
  5. Merge: If the changes are approved, they are merged into the main branch of the repository.

55. Can you explain the Git ‘blame’ command and its uses?

The git blame command in Git is used to identify which commit and author last modified each line of a file. It is helpful for tracing the origin of specific code changes, identifying who made a particular change, and understanding the history of a file.

The basic syntax of the git blame command is:

Git Commit
git blame <file_name>

When you run this command, Git displays the contents of the file along with commit hash, author name, date, and the specific line of code that was last modified in each line.

Example output:

Git Commit
^1a2b3c4d5e6 (John Doe 2023-07-15 10:00:00 +0300 1) #include <stdio.h>
^7f8g9h0i1 (Alice Smith 2023-07-20 14:25:00 +0300 2) 
^jklmnopqr (John Doe 2023-07-21 09:45:00 +0300 3) int main() {
^stuvwxyz1 (Alice Smith 2023-07-24 16:30:00 +0300 4)     printf("Hello, world!\n");
^23456789a (John Doe 2023-07-21 09:45:00 +0300 5)     return 0;
^bcdefghij (Alice Smith 2023-07-20 14:25:00 +0300 6) }

In this example, each line of the file is attributed to the corresponding commit and author who last modified it. The caret symbol (^) indicates that the line has not been modified since the specified commit.

git blame is commonly used for:

  • Finding the author of a specific change or bug.
  • Understanding the history of a file and its evolution over time.
  • Assessing code ownership and responsibility.

56. How do you manage binary files with Git?

Managing binary files with Git requires careful consideration, as Git is optimized for tracking and managing text-based source code, not binary files. Binary files, such as images, audio files, or compiled binaries, are generally larger and more challenging to merge and handle in version control systems.

Here are some tips for managing binary files with Git:

  1. Use Git LFS: Git LFS (Large File Storage) is an extension specifically designed for handling large binary files. It replaces large files with text pointers, storing the actual file content in a separate storage server. Git LFS helps keep the repository size manageable and improves performance.
  2. Avoid storing large binary files directly in the repository: Instead of adding binary files directly to the repository, consider storing them in an external storage solution or hosting service. You can then reference the external files in your code.
  3. Minimize the number and size of binary files: Try to limit the number of binary files in your project and ensure that they are as small as possible. Consider compressing or optimizing images before adding them to the repository.
  4. Keep binary files separate from the source code: If possible, maintain a separate repository or directory for binary files, so they do not interfere with the main codebase.
  5. Ignore unnecessary binary files: Use the .gitignore file to ignore unnecessary binary files or patterns that do not need to be tracked by Git.
  6. Use submodules: For projects with large dependencies, consider using Git submodules to manage the binary dependencies separately from the main project.

57. How do you perform interactive rebasing?

Interactive rebasing in Git allows you to modify the commit history by reordering, editing, or squashing commits before they are applied to the target branch. It provides a way to clean up your commit history and make it more organized.

To perform interactive rebasing, use the following command:

Git Commit
git rebase -i <base_commit>

Replace <base_commit> with the commit you want to start the interactive rebase from. Typically, this is the commit where your branch diverges from the target branch.

An interactive rebase will open an editor with a list of commits that are being rebased. Each commit line is preceded by a command:

  • pick: Keep the commit as is.
  • reword: Edit the commit message.
  • edit: Pause the rebase to amend the commit (make changes).
  • squash or fixup: Combine the commit with the previous one, optionally editing the commit message.
  • drop: Remove the commit from the history.

Make the desired changes in the editor, save, and close the file. Git will then apply the commits according to your instructions.

58. How do you configure a Git repository to run code sanity checking tools right before making commits, and preventing them if the check fails?

To configure a Git repository to run code sanity checking tools before making commits, you can use Git hooks, specifically the pre-commit hook.

Here’s how to set it up:

  1. Create a Pre-commit Hook Script: In your repository’s .git/hooks directory, create a new file named pre-commit (without any file extension). This script will be executed before each commit. Add the necessary code to run your code sanity checking tools in the pre-commit script. For example:
Git Commit
   #!/bin/bash

   # Run code sanity checks
   echo "Running code sanity checks..."
   ./run_sanity_checks.sh

   # Capture the exit status of the script
   status=$?

   # Check the exit status
   if [ $status -ne 0 ]; then
       echo "Code sanity checks failed. Please fix the issues before committing."
       exit 1  # Abort the commit process
   fi
  1. Make the Script Executable: After creating the pre-commit script, make it executable using the following command:
Git Commit
   chmod +x .git/hooks/pre-commit

Now, every time you attempt to make a commit, the pre-commit hook will be triggered, and the code sanity checking tools will run. If the checks fail (i.e., the script exits with a non-zero status), the commit process will be aborted, preventing the commit until the issues are fixed.

59. How do you use ‘git bisect’ to find the commit that introduced a bug?

git bisect is a powerful tool in Git that helps you find the specific commit that introduced a bug (or when a bug was fixed) by performing a binary search on the commit history.

Here’s how to use git bisect to find the bug-introducing commit:

  1. Start the Bisect Process: First, ensure you are on a known good commit (a commit where the bug was not present). Then, start the bisect process using the following command:
Git Commit
   git bisect start
  1. Mark the Bad Commit: Now, identify a commit where the bug is present (a known “bad” commit). Use the following command to mark it:
Git Commit
   git bisect bad <bad_commit>

Replace <bad_commit> with the commit hash or a reference to the commit where the bug is present.

  1. Mark the Good Commit: Next, identify a commit where the bug is not present (a known “good” commit). Use the following command to mark it:
Git Commit
   git bisect good <good_commit>

Replace <good_commit> with the commit hash or a reference to the commit where the bug is not present.

  1. Git Bisecting: After marking the good and bad commits, git bisect will automatically check out a commit between the good and bad ones for you to test. You can now test the code and determine if the bug is present.
  2. Repeat Testing and Marking: Test the code at the checked-out commit and decide if the bug is present. If the commit is good, mark it as such:
Git Commit
   git bisect good

If the commit is bad, mark it as such:

Git Commit
   git bisect bad

git bisect will continue to check out commits for you to test based on your feedback.

  1. Find the Bug-Introducing Commit: Continue the process of testing and marking good/bad commits until git bisect identifies the specific commit that introduced the bug. Git will display the result with the commit hash.
  2. End the Bisect Process: After identifying the bug-introducing commit, end the bisect process:
Git Commit
   git bisect reset

This will reset the repository to its original state.

git bisect is a valuable tool for tracking down elusive bugs in the commit history.

60. What is ‘git gc’ and why would you use it?

git gc (Git Garbage Collector) is a maintenance command in Git that is used to optimize and clean up the repository by removing unnecessary objects and reducing its size.

Git uses a data structure called the “object database” to store commits, trees, blobs, and tags. Over time, as you perform various operations like commits, merges, and branch deletions, some objects may become unreferenced and no longer needed. These unreferenced objects can take up space and slow down Git operations.

The git gc command performs the following tasks:

  • Removes unreferenced and orphaned objects from the object database.
  • Packs loose objects into a more efficient compressed format (pack files).
  • Expire reflogs and prune them.

You can use git gc to manually trigger the cleanup process when needed. However, Git runs this operation automatically in the background when certain conditions are met, so manual invocation is not usually necessary.

To manually run git gc, simply use:

Git Commit
git gc

61. How would you resolve a ‘rebase conflict’ in Git?

During a rebase operation, conflicts can occur when Git is unable to automatically apply changes from one branch onto another. These conflicts need to be resolved manually

before the rebase can continue.

To resolve a rebase conflict in Git:

  1. Pause the Rebase: When the rebase encounters a conflict, it will pause, and Git will prompt you to resolve the conflicts before continuing. You can see the list of conflicted files by running:
Git Commit
   git status
  1. Open the Conflicted Files: Open each conflicted file using a text editor. The conflicted sections will be marked with Git’s conflict markers, such as <<<<<<<, =======, and >>>>>>>. These markers indicate the conflicting changes from the two branches.
  2. Manually Resolve the Conflicts: Edit the conflicted sections in the file to retain the desired changes. Remove the conflict markers and any unnecessary code, leaving only the correct version of the code.
  3. Stage the Resolved Files: After resolving the conflicts in a file, stage the changes to mark them as resolved:
Git Commit
   git add <resolved_file>
  1. Continue the Rebase: Once all conflicts are resolved and staged, continue the rebase using:
Git Commit
   git rebase --continue

If you want to abort the rebase and return to the original branch, use:

Git Commit
   git rebase --abort
  1. Finalize the Rebase: After resolving all conflicts and completing the rebase, make sure to test your code to ensure it works as expected.

62. What is the use of ‘git reflog expire’?

The git reflog expire command is used to manage the expiration of reflogs in Git. Reflogs are logs that keep track of the changes to a branch’s HEAD (the commit that the branch is currently pointing to) and other references, such as stash entries and rebase operations.

The reflog is a helpful safety feature in Git, as it allows you to recover lost commits or changes, even if you accidentally reset a branch or perform other destructive operations. However, reflogs can also consume disk space over time, especially in repositories with many branches and frequent operations.

The git reflog expire command allows you to expire or remove reflog entries that are older than a certain date or have been present for a specified duration. This helps manage disk space usage in Git repositories and keeps the reflogs from growing indefinitely.

Here’s how you can use git reflog expire:

Git Commit
git reflog expire --expire=<time_spec> <refname>
  • --expire=<time_spec>: Specify the reflog entries’ expiration time. You can use a specific date (e.g., "2023-07-20") or a relative time format (e.g., "2.weeks.ago").
  • <refname>: The reference name for which you want to expire the reflog entries. It can be a branch name, stash reference, or any other reference in your repository.

For example, to expire reflog entries older than two weeks for the main branch, you can use:

Git Commit
git reflog expire --expire=2.weeks.ago main

It’s essential to use the git reflog expire command with caution, as once the reflog entries are expired, you may lose the ability to recover certain changes or operations. Generally, it is safe to use this command to clean up old and unnecessary reflog entries, but be sure to consider your specific use case and repository’s needs.

63. How do you recover a dropped stash in Git?

If you accidentally drop a stash in Git and want to recover it, you can use the git reflog command to find the commit that the stash referenced and then create a new stash based on that commit.

Here’s how you can recover a dropped stash:

  1. Find the Dropped Stash Commit: Run the git reflog command to view the history of changes in your repository, including stashes:
Git Commit
   git reflog

Look for the entry corresponding to the dropped stash. It will have a message like “Dropped refs/stash@{n}”.

  1. Create a New Stash: Once you find the commit hash associated with the dropped stash, you can create a new stash based on that commit:
Git Commit
   git stash apply <commit_hash>

Replace <commit_hash> with the commit hash from the reflog entry.

Alternatively, you can use git stash branch to create a new branch based on the dropped stash:

Git Commit
   git stash branch <branch_name> <commit_hash>

This will create a new branch named <branch_name> based on the commit from the dropped stash.

After recovering the stash, make sure to verify that the changes are correct and apply them as needed.

64. How do you change the message of a previous commit in Git?

To change the message of a previous commit in Git, you can use the git commit --amend command.

Here’s how you can change the commit message:

  1. Identify the Commit: Use git log to find the commit you want to modify and take note of its commit hash.
  2. Amend the Commit Message: Run the git commit --amend command followed by the -m option and the new commit message:
Git Commit
   git commit --amend -m "New commit message"

Replace "New commit message" with the updated commit message you want to use.

  1. Save the Changes: Save the amended commit by saving the commit message in the editor that opens. By default, Git uses the configured editor (usually Vim or nano) to edit the commit message.

Alternatively, if you only want to change the commit message without modifying the commit content, you can use:

Git Commit
git commit --amend --no-edit

This will allow you to change the commit message without opening the editor.

65. How do you squash the last N commits into a single commit?

To squash the last N commits into a single commit in Git, you can use an interactive rebase and “squash” or “fixup” the commits you want to combine.

Here are the steps to squash the last N commits:

  1. Identify the Number of Commits to Squash: Determine the number of commits you want to squash. For example, if you want to squash the last three commits, N would be 3.
  2. Start the Interactive Rebase: Run the interactive rebase command, specifying the commit before the first commit you want to squash. For example, if the branch is based on main and you want to squash the last three commits, use:
Git Commit
   git rebase -i HEAD~3

This will open the interactive rebase editor.

  1. Squash Commits: In the interactive rebase editor, change pick to squash or s for the commits you want to squash. Alternatively, you can use fixup or f to combine the commits into the previous commit without changing the commit message. Example interactive rebase editor:
Git Commit
   pick 1234567 Commit 1
   squash abcdefg Commit 2
   squash xyz1234 Commit 3
  1. Save and Close the Editor: Save the changes in the editor to initiate the rebase.
  2. Edit the Commit Message (Optional): If you used squash instead of fixup, the interactive rebase will open a new editor allowing you to edit the commit message for the combined commit. Modify the commit message as desired, save, and close the editor.
  3. Complete the Rebase: After saving the commit message, the interactive rebase will finalize the squashing process.

66. How do you split a commit into multiple commits in Git?

To split a commit into multiple commits in Git, you can use an interactive rebase to edit the commit and then stage and commit the changes individually.

Here are the steps to split a commit:

  1. Start the Interactive Rebase: Run the interactive rebase command, specifying the commit before the commit you want to split. For example, if the branch is based on main and you want to split the last commit, use:
Git Commit
   git rebase -i HEAD~1

This will open the interactive rebase editor.

  1. Edit the Commit: In the interactive rebase editor, change pick to edit or e for the commit you want to split. Example interactive rebase editor:
Git Commit
   edit 1234567 Commit to split
  1. Save and Close the Editor: Save the changes in the editor to initiate the rebase. Git will stop at the commit you want to split.
  2. Split the Changes: Use the following command to reset the branch to the commit before the commit you want to split:
Git Commit
   git reset HEAD~

This will unstage the commit’s changes, leaving the changes in the working directory.

  1. Stage and Commit Individual Changes: Use git add to stage the changes you want to include in the first new commit, and then commit them:
Git Commit
   git add <file1> <file2> ...
   git commit -m "First part of split commit"
  1. Repeat for Additional Commits: Repeat the process of staging and committing individual changes until all the desired commits are created.
  2. Continue the Rebase: After splitting the commit, continue the rebase:
Git Commit
   git rebase --continue

67. Can you explain what ‘git rebase –onto’ does?

The git rebase --onto command allows you to move a series of consecutive commits from one branch to another, effectively transplanting them onto a different base commit.

The basic syntax for git rebase --onto is:

Git Commit
git rebase --onto <new_base> <old_base> <branch>
  • <new_base>: The commit where you want the series of commits to be placed on top of.
  • <old_base>: The commit that marks the beginning of the series of commits you want to move.
  • <branch>: The branch containing the series of commits.

Here’s an example of how to use git rebase --onto:

Suppose you have the following commit history:

Git Commit
A---B---C---D---E  (main branch)
         \
          F---G---H  (feature branch)

You want to move commits F, G, and H from the feature branch onto commit C from the main branch. The command would be:

Git Commit
git rebase --onto C D feature

After the rebase, the commit

history will look like this:

Git Commit
A---B---C---D---E  (main branch)
         \
          F'---G'---H'  (feature branch)

Note that the commit hashes of F', G', and H' will be different from the original F, G, and H because they are new commits created during the rebase process.

Use git rebase --onto with caution, as it rewrites the commit history of the branch. Only use it when you understand the implications and are confident that it won’t cause issues for other collaborators.

68. What is the difference between ‘git pull –rebase’ and ‘git pull’?

Both git pull --rebase and git pull are used to incorporate changes from a remote repository into your local branch. However, they differ in how they integrate those changes.

  • git pull: The git pull command is a combination of two operations: git fetch and git merge. First, it fetches the latest changes from the remote repository and then automatically merges them into your local branch.
  • git pull --rebase: The git pull --rebase command, on the other hand, is a combination of two operations: git fetch and git rebase. It fetches the latest changes from the remote repository and then rebases your local branch onto the updated remote branch, effectively moving your local commits to sit on top of the fetched changes.

The key difference between the two lies in the way they integrate changes into your local branch:

  • With git pull, Git performs a merge, which creates a new merge commit that combines the changes from both branches. This can result in a more cluttered commit history with additional merge commits.
  • With git pull --rebase, Git rewrites your local branch’s commit history, applying your local commits on top of the fetched changes. This leads to a cleaner, linear commit history without additional merge commits.

69. How do you perform a ‘subtree merge’ in Git?

A subtree merge in Git allows you to merge changes from a subdirectory of another repository into a subdirectory of your repository. This is useful when you want to include a specific portion of another repository in your project.

To perform a subtree merge, you can use the following command:

Git Commit
git subtree add --prefix=<destination_dir> <repository> <branch>
  • --prefix=<destination_dir>: Specifies the subdirectory in your repository where the contents of the other repository will be merged.
  • <repository>: The URL or path to the repository you want to merge changes from.
  • <branch>: The branch or commit from the other repository that you want to merge.

For example, to merge the contents of the subdir directory from the https://github.com/example/repo.git repository into the myproject/subdir directory in your repository, use:

Git Commit
git subtree add --prefix=myproject/subdir https://github.com/example/repo.git master

After running this command, the changes from the specified branch of the other repository will be merged into the specified subdirectory of your repository.

70. How do you use ‘git rerere’ to solve the same conflicts across multiple branches?

git rerere (Reuse Recorded Resolution) is a feature in Git that allows you to automatically reuse the recorded resolution of a conflict when the same conflict occurs in multiple branches or during subsequent merges.

To use git rerere, follow these steps:

  1. Enable ‘git rerere’ Globally: Before using git rerere, you need to enable it globally in Git:
Git Commit
   git config --global rerere.enabled true
  1. Resolve a Conflict Manually: First, encounter a conflict while performing a merge or rebase in one of your branches. Manually resolve the conflict and complete the operation (commit or finish the rebase).
  2. Record the Conflict Resolution: After manually resolving the conflict, run the following command to record the conflict resolution:
Git Commit
   git rerere

Git will now store the conflict resolution for later reuse.

  1. Repeat for Other Branches: Continue with merges or rebases in other branches. When Git encounters the same conflict in another branch, it will automatically apply the recorded resolution from git rerere, sparing you from having to resolve the same conflict multiple times.

The git rerere feature can save time and effort, especially when dealing with frequent conflicts across multiple branches.

71. How do you set up a Git repository to be used by multiple users?

To set up a Git repository for use by multiple users, you’ll need to follow these steps:

  1. Create the Repository: First, create a new Git repository on a hosting service (e.g., GitHub, GitLab, Bitbucket) or on a shared server accessible by all users.
  2. Grant Access: Ensure that all users who need access to the repository have the necessary permissions to read, write, and push to the repository.
  3. Clone the Repository: Each user should clone the repository to their local machine using the following command:
Git Commit
   git clone <repository_url>

Replace <repository_url> with the URL of the repository.

  1. Configure User Information: Each user should configure their Git username and email on their local machine using the following commands:
Git Commit
   git config --global user.name "Your Name"
   git config --global user.email "your.email@example.com"
  1. Collaborate and Push Changes: Users can now collaborate on the project by making changes, committing them, and pushing them to the remote repository using:
Git Commit
   git add .
   git commit -m "Your commit message"
   git push origin <branch_name>

Replace <branch_name> with the name of the branch you want to push to.

  1. Resolve Conflicts (if necessary): In case of conflicts, users will need to follow the conflict resolution process, as explained earlier.
  2. Pull Changes from Other Users: To pull changes made by other users from the remote repository to your local branch, use:
Git Commit
   git pull origin <branch_name>

72. How do you recover a deleted branch in Git?

If a branch is accidentally deleted in Git, you can still recover it as long as its reference (commit) is still in the repository’s history. To recover a deleted branch, you can follow these steps:

  1. Identify the Commit ID: First, you need to find the commit ID where the deleted branch was pointing to before it got deleted. You can do this by using the git reflog command, which shows the history of reference changes, including branch deletions.
  2. Create a New Branch: Once you have the commit ID, you can create a new branch at that specific commit using the following command:
Git Commit
git branch <branch_name> <commit_id>

Replace <branch_name> with the name of the branch you want to recover, and <commit_id> with the commit ID you identified in the previous step.

  1. Check Out the Recovered Branch: After creating the new branch, you can check it out using the following command:
Git Commit
git checkout <branch_name>

Now you have successfully recovered the deleted branch, and it should be accessible with all its previous commits and history.

73. How can you get the diff between the working directory and the index in Git?

To get the diff between the working directory (current changes) and the index (staged changes) in Git, you can use the git diff command without any arguments. This will display the changes that are not staged (unstaged changes) since the last commit. Here’s how to do it:

Git Commit
git diff

If you want to see the changes for a specific file, you can provide the file path as an argument:

Git Commit
git diff <file_path>

Additionally, if you want to see the changes between a specific commit and the working directory, you can provide the commit hash along with the HEAD reference:

Git Commit
git diff HEAD <file_path>

74. How would you use ‘git filter-branch’ to remove a file from all commits?

git filter-branch is a powerful and dangerous command that allows you to rewrite the Git history. To remove a file from all commits using git filter-branch, follow these steps:

  1. Identify the File: First, identify the file you want to remove from all commits.
  2. Run the Filter-Branch Command: Open a terminal in your Git repository directory and use the following command:
Git Commit
git filter-branch --tree-filter 'rm -f <file_path>' HEAD

Replace <file_path> with the path to the file you want to remove. The --tree-filter option applies the specified shell command to each commit in the history.

  1. Remove the Backup: After the filter-branch operation is successful, Git retains a backup of the original refs in the refs/original/ namespace. To remove this backup, use the following command:
Git Commit
git for-each-ref --format="%(refname)" refs/original/ | xargs -n 1 git update-ref -d

Now, the file should be removed from all commits in your repository’s history.

75. How can you convert a Git repository to a different version control system?

Converting a Git repository to a different version control system (VCS) is not a straightforward process, and it depends on the specific VCS you want to migrate to. Here’s a general outline of the steps involved in converting a Git repository to another VCS:

  1. Create a Backup: Before starting the conversion process, create a backup of your Git repository to avoid data loss.
  2. Choose the Target VCS: Decide which version control system you want to migrate to (e.g., Subversion, Mercurial, etc.).
  3. Initialize the Target VCS Repository: Create a new repository in the target VCS. This step might differ based on the VCS you are migrating to.
  4. Export Git History: Export the Git history to a neutral format that can be imported into the target VCS. For example, you can use git fast-export to generate a stream of commit data:
Git Commit
git fast-export --all > git_export.txt
  1. Import into Target VCS: Use the appropriate tools or commands provided by the target VCS to import the exported history. For instance, if you are migrating to Mercurial, you can use hg-fast-import:
Git Commit
hg-fast-import < git_export.txt
  1. Verify and Test: After the import, verify that all the history and branches are intact. Perform thorough testing to ensure that everything works as expected.
  2. Adjustments (if necessary): Depending on the VCS you are migrating to, you may need to make some adjustments or deal with potential limitations. Not all VCS systems have a one-to-one mapping with Git features.

76. How can you use Git hooks to automate tasks?

Git hooks are scripts that Git executes before or after certain events, such as commits, pushes, merges, etc. By using Git hooks, you can automate various tasks and enforce workflows in a Git repository. Git hooks reside in the .git/hooks directory of your repository, and they are not versioned, which means each developer can have their own hooks.

To use Git hooks to automate tasks, follow these steps:

  1. Navigate to the Hooks Directory: Open a terminal, go to your Git repository’s root directory, and then enter the .git/hooks directory:
Git Commit
cd /path/to/your/repository/.git/hooks
  1. Choose or Create a Hook: In this directory, you will find various sample hook scripts with .sample extensions. To use a hook, remove the .sample extension from the script name. Alternatively, you can create a new file with the appropriate hook name (e.g., pre-commit, post-merge, etc.) and make it executable.
  2. Write the Hook Script: Edit the hook script using your preferred text editor. The script should be written in the programming language supported by your system (e.g., shell script, Python, etc.).
  3. Make the Hook Executable: Ensure that the hook script has execution permissions:
Git Commit
chmod +x <hook_name>
  1. Implement the Automation: Write the necessary logic in the hook script to automate the desired task. For example, you can use pre-commit hooks to run code linting, formatting checks, or unit tests before allowing a commit.
  2. Test the Hook: Test the hook with various scenarios to ensure it behaves as expected. Be cautious not to introduce errors or infinite loops in the hook script.

Git provides several types of hooks, each corresponding to a specific event in the Git workflow. Some common hooks include pre-commit, pre-push, post-commit, post-merge, etc. You can find more information about available Git hooks and their purposes in the official Git documentation.

Remember that hooks are not shared between repositories and are specific to each local copy of the repository, so if you want to enforce hooks for the entire team, you need to distribute them separately or use a pre-commit hook in a shared repository to reject commits that don’t meet certain criteria.

77. How do you use ‘git notes’ to annotate commits?

Git notes allow you to attach additional information or annotations to commits without modifying the commit messages or the commit’s content. These notes are useful for providing additional context, references to bug trackers, code reviews, or other relevant details related to a specific commit. Here’s how you can use git notes:

  1. Add a Note to a Commit: To add a note to a commit, you can use the git notes add command followed by the commit’s SHA-1 hash and the note message:
Git Commit
git notes add -m "Additional information for this commit" <commit_sha>

Replace <commit_sha> with the SHA-1 hash of the commit you want to annotate.

  1. Show Notes for a Commit: To view the notes associated with a commit, use the git log command with the --show-notes option:
Git Commit
git log --show-notes=<ref>

The <ref> can be a specific commit or a branch name. By default, the notes are stored in the refs/notes/commits namespace.

  1. Edit or Amend Notes: To edit or amend the note attached to a commit, you can use the git notes edit command:
Git Commit
git notes edit <commit_sha>

This will open your default text editor, allowing you to modify the note message.

  1. Push and Fetch Notes: By default, git push does not transfer notes to a remote repository. To push the notes to the remote, you need to explicitly use the git push command with the refs/notes/commits refspec:
Git Commit
git push origin refs/notes/commits

Similarly, to fetch notes from a remote repository, use the git fetch command with the same refspec:

Git Commit
git fetch origin refs/notes/commits

Remember that notes are not automatically included when you clone or fetch a repository, so you need to fetch them explicitly if you want to access the notes of a remote repository.

78. What does the git daemon command do?

The git daemon command in Git allows you to run a lightweight Git server that serves repositories via the Git protocol. It is useful for sharing repositories in a read-only or read/write manner over a network. The git daemon command sets up a daemon process that listens for incoming Git network requests.

To use git daemon, open a terminal, navigate to the directory containing your Git repositories, and execute the following command:

Git Commit
git daemon [--base-path=<base_path>] [--export-all] [--reuseaddr] [--enable=<service>] [--verbose]

Here’s a breakdown of some of the important options:

  • --base-path=<base_path>: Specifies the base path from which the daemon will serve repositories. This is useful if your repositories are stored in subdirectories.
  • --export-all: Allows access to all repositories under the base path. Use with caution if you want to expose all repositories on the server.
  • --reuseaddr: Allows the daemon to reuse the address and port, which can be useful when stopping and restarting the daemon.
  • --enable=<service>: Enables specific services such as upload-pack, receive-pack, or both. By default, both are enabled.
  • --verbose: Enables verbose output for debugging purposes.

Once the git daemon command is running, it listens on the default port 9418 for incoming Git requests. Other users can then clone or fetch repositories from the daemon-hosted repositories using the git:// protocol.

For example, to clone a repository from a Git daemon, you would use:

Git Commit
git clone git://<server_address>/<repository_name>.git

Remember that the git daemon command provides a simple and unauthenticated way to serve Git repositories, so it is more suitable for internal or trusted network environments. For public hosting or secure access, consider using more secure protocols like HTTP(S) or SSH.

79. How do you implement ‘git sub-tree’?

Git Subtree is a way to merge the contents of one Git repository into another repository as a subdirectory. It’s useful when you want to include the contents of a repository as a subdirectory in another project while preserving the history of both repositories. Here’s how you can implement Git Subtree:

  1. Add the Remote Repository: First, add the remote repository you want to include as a subtree in your current repository:
Git Commit
git remote add <remote_name> <remote_repository_url>

Replace <remote_name> with a name for the remote, and <remote_repository_url> with the URL of the repository you want to include.

  1. Fetch the Remote Branch: Next, fetch the branch you want to include from the remote repository:
Git Commit
git fetch <remote_name> <branch_name>

Replace <branch_name> with the name of the branch you want to include as a subtree.

  1. Merge the Remote Branch into a Subdirectory: Use the following command to merge the remote branch into a subdirectory in your current repository:
Git Commit
git read-tree --prefix=<subdirectory_name>/ -u <remote_name>/<branch_name>

Replace <subdirectory_name> with the name of the subdirectory where you want to include the remote branch.

  1. Commit the Changes: After merging the subtree, commit the changes to add the remote repository as a subdirectory:
Git Commit
git commit -m "Merge <remote_name>/<branch_name> as subtree"
  1. Push the Changes (Optional): If you want to push the changes back to the remote repository, use the following command:
Git Commit
git push origin <your_branch_name>

Replace <your_branch_name> with the name of the branch you are working on.

80. What is the purpose of the ‘git fsck’ command?

The git fsck command in Git is used to perform a file system check on the Git repository. It is short for “file system consistency check.” When run, git fsck scans the objects in the repository and checks for any corruption, missing objects, or other issues within the repository’s database. The command helps ensure the integrity and consistency of the repository’s object database.

Running git fsck is particularly useful if you suspect that your Git repository might have some issues, such as:

  • Missing objects due to a failed or interrupted clone, fetch, or push operation.
  • Dangling objects that are not reachable from any branch or tag.
  • Corrupted or invalid objects in the repository.
  • Other irregularities in the object database.

To run git fsck, open a terminal and navigate to the root directory of your Git repository, then simply execute the following command:

Git Commit
git fsck

Git will then check the repository’s object database and display any issues it finds. The output will indicate any corrupted objects, missing objects, or other inconsistencies.

Keep in mind that git fsck is a diagnostic tool, and it doesn’t automatically fix any issues it finds. It is up to you to decide how to address any problems detected by the command. If you encounter issues, it’s essential to investigate further and take appropriate actions to resolve them.

In normal day-to-day Git usage, you won’t need to run git fsck regularly. It is more commonly used in troubleshooting scenarios or when you suspect that there might be problems with your repository. Regular backups and proper Git usage usually prevent serious issues from occurring in the first place.

81. How would you create a custom Git command?

Creating a custom Git command involves adding an executable script to a directory in your system’s PATH, named with the git-<command> format. When you run git <command>, Git will automatically look for and execute the corresponding script.

Here’s how to create a custom Git command:

  1. Create the Script: Create an executable script with the desired functionality. The script should start with a shebang line (#!/bin/bash for a bash script) and include any Git-related commands or logic.

For example, let’s create a custom Git command called git-mycommand that echoes a message:

Git Commit
#!/bin/bash

echo "Hello! This is my custom Git command."
  1. Make the Script Executable: After creating the script, make it executable using the chmod command:
Git Commit
chmod +x /path/to/git-mycommand

Make sure the script is located in a directory that is part of your system’s PATH, so Git can find and execute it.

  1. Run the Custom Command: Now you can run your custom Git command using git <command>:
Git Commit
git mycommand

When you execute git mycommand, it will run your custom script and display the output:

Git Commit
Hello! This is my custom Git command.

Creating custom Git commands allows you to extend Git’s functionality and automate repetitive tasks specific to your workflow. However, keep in mind that custom commands are limited to your local system, and other collaborators won’t have access to them unless they set up the same custom commands on their machines.

82. How do you use the ‘git replace’ command for replacing objects?

The git replace command allows you to replace objects (commits, trees, blobs, and tags) in Git with alternative versions without modifying the repository’s history. It’s useful for experimenting with changes or fixing issues in the past commits without rewriting the history.

Here’s how you can use git replace to replace objects:

  1. Identify the Object to Replace: First, identify the commit or object you want to replace by finding its commit hash (SHA-1).
  2. Create the Replacement Object: Create the replacement commit or object with the desired changes or fixes. Note that the replacement object should have the same SHA-1 hash as the original object.
  3. Use the ‘git replace’ Command: Open a terminal in your Git repository directory and use the following command to replace the object:
Git Commit
git replace <original_object_hash> <replacement_object_hash>

Replace <original_object_hash> with the SHA-1 hash of the object you want to replace, and <replacement_object_hash> with the SHA-1 hash of the replacement object.

  1. Test and Review: Test your changes with the replaced object and review the history to ensure that the replacement works as expected.
  2. Propagate the Replacement (Optional): If you are satisfied with the replacement and want to propagate it to other clones or repositories, use the git push command with the --force option:
Git Commit
git push --force origin

This will update the remote repository with the replacement object. Keep in mind that --force is necessary since you are modifying the repository’s history.

83. How do you deal with sensitive data in a Git repo without removing the data from history?

Dealing with sensitive data in a Git repository can be challenging, especially if the data is already part of the repository’s history. Removing sensitive data from Git history (e.g., using git filter-branch or git filter-repo) is not recommended since it can lead to complications and difficulties for collaborators when pulling, pushing, or merging.

Instead, Git provides a feature called Git attributes and the .gitignore file to handle sensitive data without removing it from history.

Here’s how you can deal with sensitive data using Git attributes and .gitignore:

  1. Identify Sensitive Data: First, identify the sensitive data that you want to protect or exclude from the repository. This can include passwords, API keys, private configuration files, or other confidential information.
  2. Create a .gitignore File: Create a .gitignore file in the root directory of your repository (if it doesn’t already exist). This file allows you to specify patterns for files that Git should ignore and not track.
  3. Add Sensitive Data to .gitignore: In the .gitignore file, add the paths or file patterns of the sensitive data that you want to exclude from version control. For example:
Git Commit
# .gitignore
config/secrets.yml
credentials.json
*.pem
  1. Use Git Attributes to Filter Data: Git attributes allow you to apply specific settings to files based on their path or filename. You can use Git attributes to specify that certain files should be treated differently in the repository.

Create a .gitattributes file in the root directory of your repository (if it doesn’t exist) and define a filter for sensitive files:

Git Commit
# .gitattributes
config/secrets.yml filter=remove_sensitive
credentials.json filter=remove_sensitive
*.pem filter=remove_sensitive
  1. Configure the Filter: Next, you need to define the filter to be used for the sensitive files. The filter should be defined in your Git configuration. Open a terminal and run the following command:
Git Commit
git config --global filter.remove_sensitive.clean "git rm --cached -- %f"
git config --global filter.remove_sensitive.smudge cat
git config --global filter.remove_sensitive.required true

This configuration tells Git to remove sensitive files from the repository when they are staged (clean filter) and to keep the local copy unchanged when files are checked

out (smudge filter).

  1. Add and Commit Changes: After setting up the filter, add and commit the .gitattributes file to the repository:
git add .gitattributes
git commit -m "Add .gitattributes to handle sensitive data"

Now, the sensitive data will be automatically ignored and excluded from version control while keeping it in the Git history.

84. How can you perform a ‘bisect skip’ in Git?

In Git, a “bisect” is a binary search-like process used to find the commit that introduced a bug or regression in the codebase. The process involves marking specific commits as “good” or “bad” and using this information to narrow down the range of commits to inspect.

A “bisect skip” allows you to tell Git to ignore a commit during the bisect process. This can be useful if you encounter a commit with a known issue, but you don’t want it to interfere with the bisect operation.

Here’s how you can perform a “bisect skip” in Git:

  1. Start the Bisect: First, initiate the bisect process by running the following command:
Git Commit
git bisect start
  1. Mark a Commit as ‘Bad’: Identify a commit that you know is “bad” (contains the bug or regression) and mark it as “bad” using its commit hash:
Git Commit
git bisect bad <bad_commit>
  1. Mark a Commit as ‘Good’: Next, identify a commit that you know is “good” (does not have the bug) and mark it as “good” using its commit hash:
Git Commit
git bisect good <good_commit>

Git will then automatically select a commit between the “good” and “bad” commits for inspection.

  1. Test the Current Commit: After marking the “good” and “bad” commits, Git will check out a commit for you to test. Test the current commit to see if it has the issue.
  2. Determine If the Commit Is Good or Bad: Depending on the test results, you can mark the current commit as “good” or “bad” using the git bisect command:
Git Commit
git bisect good    # if the current commit is good
git bisect bad     # if the current commit is bad
  1. Repeat the Process: Git will narrow down the range of commits and continue the bisect process by checking out the next commit for testing. Continue testing and marking commits until Git identifies the specific commit that introduced the bug.
  2. Skip a Commit (Optional): If you encounter a commit that you know is irrelevant to the bug investigation, you can skip it using the git bisect skip command:
Git Commit
git bisect skip

Skipping a commit tells Git to ignore it and proceed to the next commit for testing.

  1. Finish the Bisect: Once Git has identified the commit that introduced the bug, you can end the bisect process with:
Git Commit
git bisect reset

This will check out the branch at the commit where the bisect process started.

Using the “bisect skip” command can be helpful when you encounter commits that are known to be unrelated to the bug or when you want to avoid unnecessary testing for specific commits.

85. How do you use the ‘git worktree’ feature to manage multiple versions of a project?

Git Worktree is a feature introduced in Git version 2.5 that allows you to work with multiple working trees (working directories) for the same repository simultaneously. It is useful when you need to work on different branches, features, or versions of a project in parallel without having to switch back and forth between different directories.

Here’s how you can use Git Worktree to manage multiple versions of a project:

  1. Enable the ‘git worktree’ Feature: Git Worktree is available from Git version 2.5 and later. Ensure that you have an up-to-date version of Git installed on your system.
  2. Create a New Worktree: To create a new worktree, open a terminal, navigate to your repository’s root directory, and run the following command:
Git Commit
git worktree add <path_to_worktree> <branch_or_commit>

Replace <path_to_worktree> with the path to the new working tree directory and <branch_or_commit> with the name of the branch or the commit hash you want to work on in the new worktree.

For example, to create a new worktree for the feature-branch branch in a directory called feature-worktree, you would run:

Git Commit
git worktree add feature-worktree feature-branch
  1. Work in the New Worktree: After creating the new worktree, you can navigate to the newly created directory and work on the branch or commit independently from the main working tree.
Git Commit
cd feature-worktree
  1. Manage Worktrees: You can list all the existing worktrees and their associated branches using the following command:
Git Commit
git worktree list
  1. Remove a Worktree: To remove a worktree, navigate back to the main repository and use the following command:
Git Commit
git worktree remove <path_to_worktree>

Replace <path_to_worktree> with the path to the worktree directory you want to remove.

86. What are ‘gitattributes’ and how do you use them?

Git attributes are special configuration files that allow you to specify how Git should treat certain files in your repository. They are used to control various aspects of file handling, such as line endings, merge strategies, and language-specific settings.

The main file related to Git attributes is the .gitattributes file, which resides in the root directory of your repository. It works similarly to .gitignore, but instead of ignoring files, it defines rules for handling files.

Here’s how you can use .gitattributes:

  1. Create the .gitattributes File: If your repository does not already have a .gitattributes file, create one in the root directory.
  2. Specify Attributes for Files: In the .gitattributes file, you can specify attributes for specific files or file patterns. The basic syntax is as follows:
Git Commit
pattern attribute1[=value1] attribute2[=value2] ...
  • pattern: Specifies the file or file pattern to which the attributes apply.
  • attribute: Defines the attribute you want to set. Common attributes include text, binary, merge, and linguistic.
  • value: (Optional) For certain attributes, you can provide additional values. For example, for the linguistic attribute, you can specify the programming language of the file.

Here’s an example `.gitattributes` file:

Git Commit
# Set text attribute for files with specific extensions
*.txt text
*.md text
*.html text

# Set binary attribute for images
*.png binary
*.jpg binary

# Set merge strategy for specific files
*.xml merge=xml-merge

# Set linguistic attribute for Python files
*.py linguist-language=Python
  1. Commit and Push: After defining the desired attributes in the .gitattributes file, add, commit, and push the changes to make them effective in the repository.

The attributes specified in the .gitattributes file can control various behaviors of Git, including:

  • Line Endings: Specifying text attributes ensures that Git handles line endings correctly for different platforms. For example, *.txt text ensures that text files have their line endings normalized.
  • Merge Strategies: You can define custom merge drivers for specific file types using the merge attribute. This allows you to specify how Git should handle merges for those files.
  • Linguistic Attributes: The linguistic attribute is used to tell Git the programming language of specific files. It can be useful when working with language-specific tools or plugins.

87. How would you recover a branch that was not fully merged?

If a branch was not fully merged and has been accidentally deleted or lost, it is still possible to recover it using Git’s reflog and some branch management commands. Here’s how you can recover a branch that was not fully merged:

  1. Find the Commit ID: First, identify the last commit on the lost branch. You can do this by checking the reflog:
Git Commit
git reflog

Look for the entry associated with the lost branch, and note the commit hash (SHA-1) associated with it.

  1. Create a New Branch: Once you have the commit hash, create a new branch at that commit using the following command:
Git Commit
git branch <branch_name> <commit_hash>

Replace <branch_name> with the name you want to give to the recovered branch, and <commit_hash> with the commit hash from the previous step.

  1. Check Out the Recovered Branch: After creating the new branch, you can check it out using the following command:
Git Commit
git checkout <branch_name>

Now you have successfully recovered the branch at the point where it was before deletion or loss. However, please note that any commits made after the last commit on the lost branch will not be recovered.

If the lost branch had additional commits that were not merged into the main branch and you still want to recover them, you might need to use more advanced techniques, such as finding dangling commits or using git reflog to identify commits before deletion.

88. How do you use Git in large scale projects with multiple developers?

Using Git in large-scale projects with multiple developers requires a well-defined workflow and collaboration strategy. Here are some best practices to effectively manage large Git repositories:

  1. Use a Centralized or Distributed Workflow: Choose a workflow that suits your team’s needs. For large-scale projects, a centralized workflow like Gitflow or a distributed workflow like GitHub Flow might be more appropriate.
  2. Branch Management: Encourage developers to create feature branches and pull requests for new features or bug fixes. Use a branch naming convention that clearly indicates the purpose of the branch.
  3. Code Reviews: Implement code review practices to ensure code quality and to have multiple sets of eyes review changes before merging into the main branch.
  4. Pull Requests: If using a distributed workflow, require pull requests for merging changes into the main branch. Use pull requests as an opportunity for discussion and feedback before merging.
  5. Continuous Integration: Set up a continuous integration (CI) system to automatically build, test, and validate code changes. This helps catch issues early and ensures a stable codebase.
  6. Automated Tests: Invest in automated testing to maintain code quality and catch regressions. Include unit tests, integration tests, and end-to-end tests as part of your CI pipeline.
  7. Git Hooks: Use Git hooks to automate tasks like code formatting, linting, and testing before allowing commits or pushes.
  8. Issue Tracking: Integrate Git with an issue tracking system (e.g., Jira, GitHub Issues) to manage and track tasks, bugs, and feature requests.
  9. Documentation: Maintain clear and up-to-date documentation for the project, including the repository’s README, coding guidelines, and contribution guidelines.
  10. Branch Protection: For repositories with multiple contributors, consider enabling branch protection rules to enforce code review requirements and prevent direct pushes to protected branches.
  11. Git Submodules (Optional): For managing large projects with shared components or dependencies, consider using Git submodules or package managers like Git LFS (Large File Storage).
  12. Code Ownership: Clearly define code ownership to avoid confusion and conflicts when multiple developers work on the same parts of the codebase.
  13. Regular Maintenance: Regularly clean up and optimize the repository using commands like git gc to keep the repository size manageable.
  14. Training and Onboarding: Provide training and onboarding sessions to new team members to ensure they understand the Git workflow and best practices.

89. How do you handle a large Git repository?

Handling a large Git repository can be challenging, especially when dealing with slow performance or high storage requirements. Here are some strategies to manage and optimize a large Git repository:

  1. Git LFS (Large File Storage): Use Git LFS to store large binary files outside the repository, reducing the repository’s size and improving performance during cloning and fetching.
  2. Sparse Checkouts: Employ sparse checkouts to limit the working tree to specific directories or files, reducing the checkout time and disk space usage.
  3. Shallow Cloning: Use shallow cloning (git clone --depth) when working with repositories that have extensive history to fetch only a limited number of recent commits.
  4. Submodules and Subtrees: Utilize Git submodules or subtrees for managing shared components or external dependencies, keeping them separate from the main repository.
  5. Branch Pruning: Regularly delete branches that are no longer needed to reduce the number of references in the repository.
  6. Garbage Collection: Run git gc periodically to optimize and clean up the repository’s database, removing unnecessary objects and optimizing storage.
  7. Repository Splitting: Consider splitting the repository into smaller, more focused repositories based on components or modules, reducing the size and complexity.
  8. Purging Unused Objects: Use git filter-repo or git filter-branch to remove large or unnecessary files from the repository’s history.
  9. Commit Aggregation: If possible, consider aggregating multiple small commits into larger commits to reduce the number of individual commits in the history.
  10. Sparse Repositories: Split large monolithic repositories into smaller, more focused repositories, using tools like Git Submodules to link them when necessary.
  11. Git Server Configuration: Optimize the Git server’s configuration to handle large repositories, adjusting buffer sizes and timeouts as needed.
  12. Git Object Size Limit: Be aware that Git has a practical limit on the size of individual objects (~2 GB), so avoid adding extremely large files to the repository.
  13. Regular Maintenance: Schedule regular maintenance and housekeeping tasks to keep the repository in good health and prevent unnecessary bloat.

90. How do you manage Git repositories across different operating systems?

Managing Git repositories across different operating systems requires consideration of file system differences, line ending conventions, and configuration adjustments. Here are some tips to ensure smooth cross-platform collaboration:

  1. Line Endings: Be aware that Windows and macOS/Linux use different line ending conventions (CRLF and LF, respectively). This can lead to unnecessary line-ending changes in files.
  • For cross-platform projects, set core.autocrlf to true on Windows systems and to input or false on macOS/Linux systems.
  1. Git Attributes: Use Git attributes to control line endings and other behavior for specific file types, ensuring consistent handling across platforms.
  2. File System Case Sensitivity: Windows file systems are case-insensitive, while macOS and Linux are case-sensitive. Avoid creating files with names that differ only in case, as it can lead to conflicts.
  3. Git Configurations: Share common Git configurations among team members to ensure consistent behavior across different platforms.
    • For example, use git config --global to set configurations that apply to all repositories on a specific machine.
  4. Git Ignore: Make sure your .gitignore file is cross-platform compatible to prevent unnecessary files from being tracked on different systems.
  5. Testing on Multiple Platforms: Test your repository on different platforms to ensure compatibility and identify potential issues related to file paths or line endings.
  6. Use Relative Paths: When referencing files or directories in your code, use relative paths instead of absolute paths to ensure cross-platform compatibility.
  7. Avoid Platform-Specific Code: Minimize platform-specific code or configurations whenever possible, as it can introduce unnecessary complexity.
  8. Encourage Consistency: Encourage team members to follow the same Git conventions and workflows across all platforms to minimize compatibility issues.
  9. Use Git Hooks: Consider using Git hooks to enforce consistency and perform platform-specific checks, such as code formatting or linting.

91. How would you set up and manage a Git server?

Setting up and managing a Git server involves choosing the right hosting option and configuring access control for collaborators. Here’s a general guide to set up a Git server:

  1. Choose Hosting Option: Decide on the hosting option that best suits your team’s needs. Common choices include:
  • Git Hosting Services: Platforms like GitHub, GitLab, and Bitbucket offer free and paid plans with built-in repository hosting, collaboration features, and access control.
  • Self-Hosted Solutions: You can set up Git servers using software like GitLab Community Edition, Gitea, or Gogs, providing similar functionality to hosting services but on your own infrastructure.
  1. Install Git Server Software: If you opt for a self-hosted solution, follow the installation instructions provided by the chosen Git server software.
  2. Configure Access Control: Set up access control to determine who can access and modify the repositories. This involves creating user accounts or teams and assigning appropriate permissions.
  3. SSH Keys or HTTPS: Decide whether to use SSH keys or HTTPS for authentication. SSH keys provide secure access without passwords, while HTTPS might be more user-friendly.
  4. Create Repositories: Create repositories for your projects, either through the server’s web interface or command-line tools.
  5. Collaborator Onboarding: Onboard team members by providing them with access to the server and appropriate permissions to work on repositories.
  6. Git Hooks: Use Git hooks on the server to enforce specific rules or actions, such as pre-receive hooks for code quality checks.
  7. Backup and Maintenance: Set up regular backups to safeguard against data loss and perform routine maintenance to keep the server running smoothly.
  8. Monitoring and Logging: Monitor the server’s performance and log activities to detect any issues or unusual behavior.
  9. Documentation: Maintain documentation to help collaborators understand the server’s setup, access controls, and best practices.

92. How do you handle line ending differences with Git between different operating systems?

Handling line ending differences between different operating systems is essential to avoid conflicts and ensure consistent behavior across platforms. Here’s how you can handle line endings in a cross-platform Git repository:

  1. Set ‘core.autocrlf’: Use the core.autocrlf configuration to automatically convert line endings when files are checked out and checked in.
  • On Windows, set core.autocrlf to true to convert LF line endings to CRLF when checking out and vice versa when checking in.
  • On macOS/Linux, set core.autocrlf to input or false to maintain LF line endings.
Git Commit
   # On Windows
   git config --global core.autocrlf true

   # On macOS/Linux
   git config --global core.autocrlf input
  1. Use ‘core.eol’ (Optional): If you want more fine-grained control over line endings for specific file types, you can use the core.eol configuration.
    • Set core.eol to lf for files that should always have LF line endings or to crlf for files that should always have CRLF line endings.
Git Commit
   git config --global core.eol lf
  1. Use ‘.gitattributes’: Create a .gitattributes file in the root of your repository to specify line ending behavior for specific file patterns.
    • Use `text` for files that should have normalized line endings (LF on macOS/Linux, CRLF on Windows).
    • Use binary for files that should not have line endings converted.
  • Example .gitattributes file:
Git Commit
   * text=auto
  1. Avoid Mixing Line Endings: Be consistent with line endings in the repository. Avoid mixing LF and CRLF line endings within the same file or project.
  2. Git LFS: For large binary files, consider using Git LFS (Large File Storage) to handle them separately from the main repository, preventing line ending issues.
  3. Testing on Different Platforms: Test the repository on different platforms to ensure that line endings are handled correctly and do not cause unexpected issues.

93. How do you connect a Git repository with a continuous integration/continuous deployment (CI/CD) pipeline?

Integrating a Git repository with a CI/CD pipeline involves automating the build, test, and deployment processes triggered by code changes. Here’s how to connect a Git repository with a CI/CD pipeline:

  1. Choose a CI/CD Tool: Select a CI/CD tool that aligns with your project and team’s needs. Popular options include Jenkins, GitLab CI/CD, GitHub Actions, CircleCI, Travis CI, and Azure Pipelines.
  2. Configure the CI/CD Pipeline: Set up a pipeline configuration file (e.g., .gitlab-ci.yml, .github/workflows/main.yml) in the root directory of your Git repository.
  3. Define Stages and Jobs: Define stages and jobs in the pipeline file. Each stage represents a step in the process, and each job performs a specific task, such as building, testing, or deploying the code.
  4. Add Git Hooks (Optional): If your CI/CD tool supports it, consider adding Git hooks to trigger the pipeline on specific events, such as commits or pull requests.
  5. Configure CI/CD Tool: Configure your CI/CD tool to connect to your Git repository. This usually involves providing access credentials and repository information.
  6. Continuous Integration: Configure the CI part of the pipeline to automatically build and test your code whenever changes are pushed to the repository.
  7. Continuous Deployment (Optional): If you want to enable continuous deployment, set up the deployment stages in the pipeline to automatically deploy the code to the target environment after successful testing.
  8. Environment Variables: Store sensitive information, such as API keys or credentials, as environment variables in the CI/CD tool to keep them secure.
  9. Testing and Validation: Include automated testing and validation in your CI/CD pipeline to ensure that only high-quality code is deployed.
  10. Notifications and Alerts: Set up notifications and alerts to inform the team about the status of the pipeline and any issues that arise during the process.
  11. Test on Feature Branches: Test your pipeline on feature branches to ensure that the CI/CD process is working as expected.
  12. Review and Improve: Regularly review the pipeline’s performance and make improvements based on feedback and observations.

94. How do you integrate Git with an issue tracking system?

Integrating Git with an issue tracking system allows you to link code changes to specific issues, track progress, and manage development tasks efficiently. Here’s how you can integrate Git with an issue tracking system:

  1. Choose an Issue Tracking System: Select an issue tracking system that fits your team’s needs. Popular options include Jira, GitHub Issues, GitLab Issues, and Bitbucket Issues.
  2. Issue References in Commit Messages: Encourage developers to include issue references in their commit messages using keywords like “fixes,” “closes,” or “resolves,” followed by the issue number. For example:
Git Commit
   Fixes #123: Implement user authentication.
  1. Linking in Pull Requests (If Applicable): If your issue tracking system supports it, link pull requests or merge requests to specific issues. This provides better traceability and visibility of code changes related to issues.
  2. Commit Message Templates (Optional): You can provide commit message templates to developers to guide them in adding issue references and ensuring consistency.
  3. Webhooks (Optional): Some issue tracking systems support webhooks, allowing you to trigger actions in the issue tracker based on events in your Git repository, such as creating issues or updating their status.
  4. Issue Status Update: Update the status of issues in the issue tracking system when related code changes are merged or deployed.
  5. Use Branch Names: Use descriptive branch names that include issue numbers or a brief description of the task to link code changes directly to the corresponding issues.
  6. Issue Labels and Milestones: Leverage labels and milestones in your issue tracking system to categorize and prioritize issues.
  7. Automatic Issue Closing (Optional): Some issue tracking systems can automatically close issues when certain criteria are met, such as a specific keyword in a commit message.
  8. Code Reviews and Issue Links: During code reviews, encourage reviewers to verify that the issue references in commit messages are accurate and appropriately linked to the code changes.

95. How would you teach Git to a team of developers who are new to version control?

Teaching Git to a team of developers who are new to version control requires a structured and hands-on approach. Here’s a step-by-step guide to effectively introduce Git to beginners:

  1. Version Control Concepts: Start by explaining the basic concepts of version control, such as repositories, commits, branches, and merges. Use simple diagrams to illustrate how these concepts work together.
  2. Install Git: Help team members install Git on their local machines and configure their name and email address for commits.
  3. Basic Git Commands: Introduce essential Git commands like init, add, commit, status, and log. Explain their purpose and demonstrate how they are used.
  4. Git Workflow: Explain the typical Git workflow, starting with init to create a new repository, add to stage changes, commit to save changes, and push to share changes with others.
  5. Branching and Merging: Teach branching and merging concepts, including creating branches, switching between branches, and merging changes.
  6. Collaboration and Remote Repositories: Explain how to collaborate using remote repositories (e.g., GitHub, GitLab). Cover clone, pull, and push commands for working with remote repositories.
  7. Pull Requests (If Applicable): If your team uses pull requests for code review, explain the concept and demonstrate how to create and review pull requests.
  8. Handling Conflicts: Teach team members how to resolve merge conflicts when multiple developers modify the same file.
  9. Git Workflows (Optional): Introduce popular Git workflows like Gitflow or GitHub Flow and discuss when to use them.
  10. Git GUI Tools (Optional): Mention Git GUI tools that can help visualize changes and simplify some Git operations for beginners.
  11. Practice Sessions: Provide hands-on practice sessions with real-world scenarios, encouraging team members to work on sample projects and practice version control operations.
  12. Documentation: Share written or video tutorials as references for team members to review concepts later.
  13. Code Reviews: Conduct code reviews to provide feedback on Git usage, ensuring that team members are using Git effectively.
  14. Encourage Best Practices: Emphasize the importance of commit messages, code review, and adherence to team Git conventions.
  15. Troubleshooting: Prepare for common Git issues and how to troubleshoot them.
  16. Advanced Topics (Later): Introduce more advanced Git topics, such as rebasing, Git submodules, and Git hooks, once the team is comfortable with the basics.

96. How do you perform a major refactor across many Git repositories without breaking anything?

Performing a major refactor across many Git repositories requires careful planning and coordination to avoid breaking changes. Here’s a step-by-step approach:

  1. Identify Scope: Clearly define the scope of the refactor and identify which repositories are affected.
  2. Create Feature Branches: Create feature branches in each repository where the refactor will take place.
  3. Automated Tests: Ensure that each repository has comprehensive automated tests to validate the changes during the refactor.
  4. Refactor in Isolation: Perform the refactor in each repository independently, making sure it does not break the existing functionality.
  5. Continuous Integration (CI): Set up CI pipelines for each repository to automatically build and test the refactor changes.
  6. Code Reviews: Conduct code reviews for the refactor changes to ensure code quality and adherence to best practices.
  7. Gradual Rollout: If possible, roll out the refactor changes gradually, first to a smaller subset of users or environments, and then to the entire system.
  8. Monitoring and Rollback Plan: Monitor the system during and after the refactor. Have a rollback plan ready in case any issues arise.
  9. Cross-Repository Testing: If the refactor involves interactions between repositories, perform cross-repository testing to ensure compatibility.
  10. Communication: Maintain clear and constant communication with team members to keep them informed about the progress and potential impacts.

97. How do you manage and prioritize maintenance tasks in a Git repository?

Managing and prioritizing maintenance tasks in a Git repository involves organizing issues and using labels or milestones to prioritize work. Here’s how to do it:

  1. Issue Tracking System: Use an issue tracking system (e.g., GitHub Issues, Jira) to document and track maintenance tasks.
  2. Labels: Set up labels to categorize maintenance tasks based on their priority, type (bug, enhancement, etc.), and complexity.
  3. Milestones: Use milestones to group related maintenance tasks, such as grouping tasks for a specific release or sprint.
  4. Priority Levels: Define priority levels (e.g., high, medium, low) and assign them to issues to indicate their importance.
  5. Assignees: Assign issues to specific team members to ensure accountability and ownership.
  6. Review and Triage: Regularly review and triage issues to ensure they are up-to-date and correctly prioritized.
  7. Communication: Communicate with the team to align on priorities and ensure everyone understands the importance of maintenance tasks.

98. How do you handle a situation where a Git repository’s history becomes too large and unwieldy?

When a Git repository’s history becomes too large and unwieldy, it can impact performance. Here are some strategies to handle this situation:

  1. Git Shallow Clone: Use shallow cloning (git clone --depth) when cloning the repository to fetch only recent history, reducing the clone size.
  2. Git Reflog and Filter-Branch: Use git reflog and git filter-branch to remove large files or unnecessary objects from the history.
  3. Git LFS: Use Git LFS to store large binary files outside the repository, preventing them from bloating the Git history.
  4. Git Garbage Collection: Run git gc periodically to optimize the repository’s database and reclaim space.
  5. Repository Splitting: If possible, split the repository into smaller, focused repositories, based on components or modules.
  6. Archiving Old History: Consider archiving old and unused branches or repositories to reduce clutter and improve performance.
  7. Regular Maintenance: Schedule regular maintenance to keep the repository clean and optimized.

99. How do you enforce code standards and practices using Git?

Enforcing code standards and practices using Git can be achieved through Git hooks and code review processes. Here’s how to do it:

  1. Git Hooks: Use pre-commit and pre-push Git hooks to enforce code standards before code is committed or pushed to the repository.
  2. Code Linters and Formatters: Integrate code linters and formatters into the pre-commit hook to automatically check and format code according to the defined standards.
  3. Code Reviews: Implement a code review process where team members review each other’s code for adherence to coding standards and best practices.
  4. Merge Criteria: Set up merge criteria, such as passing automated tests and code review approvals, before merging branches into the main branch.
  5. Pull Request Templates: Use pull request templates to guide developers in providing necessary information and ensuring that code reviews cover specific aspects, including code standards.
  6. Continuous Integration (CI): Use CI pipelines to run automated tests and checks on pull requests to verify code quality and adherence to standards.
  7. Documentation: Maintain a comprehensive coding guideline document that outlines the coding standards and best practices to be followed.

100. How do you manage and resolve major merge conflicts across long-lived branches in a large team?

Managing and resolving major merge conflicts across long-lived branches in a large team requires coordination and communication. Here’s a process to handle such situations:

  1. Pull the Latest Changes: Before merging, ensure all team members have pulled the latest changes from the main branch into their feature branches.
  2. Review Changes: Review the changes in both branches to identify potential conflicts before attempting the merge.
  3. Create a Staging Branch: Create a staging branch where you can attempt the merge and resolve conflicts without affecting the main branches.
  4. Resolve Conflicts: Use a merge tool or manual editing to resolve conflicts. Focus on maintaining the intended functionality and adhering to coding standards.
  5. Automated Tests: Run automated tests on the staging branch to ensure the changes have not introduced any new issues.
  6. Code Review: Conduct a code review to ensure the quality and correctness of the merged code.
  7. Inform Stakeholders: Communicate with stakeholders about the upcoming merge and potential impacts on the project.
  8. Merge During Low Activity: Aim to perform the merge during periods of low activity to minimize disruptions.
  9. Rollback Plan: Have a rollback plan ready in case the merge causes unforeseen issues.
  10. Post-Merge Verification: After the merge, monitor the application’s behavior to detect any regressions or bugs.

MCQ Questions

1. What is Git?

a) Distributed Version Control System
b) Centralized Version Control System
c) Linear Version Control System
d) None of the above

Answer: a) Distributed Version Control System

2. Which command is used to create a Git repository?

a) git create
b) git start
c) git init
d) git new

Answer: c) git init

3. Which command is used to stage changes for a commit in Git?

a) git stage
b) git add
c) git commit
d) git save

Answer: b) git add

4. What does the ‘HEAD’ in Git represent?

a) The middle commit in the repository
b) The last commit in the repository
c) The first commit in the repository
d) None of the above

Answer: b) The last commit in the repository

5. Which command is used to clone a repository?

a) git copy
b) git clone
c) git duplicate
d) git replicate

Answer: b) git clone

6. What is a ‘branch’ in Git?

a) A repository within a repository
b) A separate environment within the repository for developing features or fixing bugs
c) A commit in the repository
d) None of the above

Answer: b) A separate environment within the repository for developing features or fixing bugs

7. Which command is used to create a new branch?

a) git branch new
b) git branch
c) git new branch
d) git create branch

Answer: b) git branch

8. Which command is used to switch to a different branch?

a) git switch
b) git checkout
c) git change
d) git move

Answer: b) git checkout

9. Which command is used to merge a branch into the current branch?

a) git merge
b) git combine
c) git join
d) git fuse

Answer: a) git merge

10. What is a ‘conflict’ in Git?

a) A situation where a file is deleted
b) A situation where a file is added
c) A situation where there are competing changes to the same line of a file
d) None of the above

Answer: c) A situation where there are competing changes to the same line of a file

11. Which command is used to view the commit history?

a) git history
b) git log
c) git commits
d) git past

Answer: b) git log

12. What does the ‘git pull’ command do?

a) It pushes changes to the remote repository
b) It pulls changes from the remote repository
c) It clones the remote repository
d) None of the above

Answer: b) It pulls changes from the remote repository

13. What does the ‘git push’ command do?

a) It pushes changes to the remote repository
b) It pulls changes from the remote repository
c) It clones the remote repository
d) None of the above

Answer: a) It pushes changes to the remote repository

14. What does ‘git stash’ do?

a) It stashes changes for future commits
b) It stashes changes for future branches
c) It stashes changes that you want to save for later, reverting them from your working copy
d) None of the above

Answer: c) It stashes changes that you want to save for later, reverting them from your working copy

15. What is the command to revert a commit?

a) git undo
b) git revert
c) git back
d) git return

Answer: b) git revert

16. What is a ‘remote’ in Git?

a) A branch in the repository
b) A commit in the repository
c) A pointer to another repository
d) None of the above

Answer: c) A pointer to another repository

17. Which command is used to view the configured remote repositories?

a) git remote view
b) git remote show
c) git remote
d) git show remote

Answer: c) git remote

18. What is a ‘fork’ in Git?

a) A branch in the repository
b) A commit in the repository
c) A copy of a repository that allows you to experiment without affecting the original project
d) None of the above

Answer: c) A copy of a repository that allows you to experiment without affecting the original project

19. What is ‘origin’ in Git?

a) The first commit in the repository
b) The last commit in the repository
c) A shorthand name for the remote repository that a project was originally cloned from
d) None of the above

Answer: c) A shorthand name for the remote repository that a project was originally cloned from

20. What does ‘git fetch’ do?

a) It fetches the new commits from a remote repository
b) It fetches the old commits from a remote repository
c) It fetches the new branches from a remote repository
d) None of the above

Answer: a) It fetches the new commits from a remote repository

21. What is the difference between ‘git pull’ and ‘git fetch’?

a) ‘git pull’ fetches and merges, ‘git fetch’ only fetches
b) ‘git pull’ only fetches, ‘git fetch’ fetches and merges
c) ‘git pull’ and ‘git fetch’ do the same thing
d) None of the above

Answer: a) ‘git pull’ fetches and merges, ‘git fetch’ only fetches

22. What is the command to delete a branch?

a) git branch delete
b) git branch -d
c) git delete branch
d) git -d branch

Answer: b) git branch -d

23. What is the command to list all tags?

a) git tag list
b) git list tag
c) git tag
d) git list

Answer: c) git tag

24. What is the command to create a tag?

a) git tag create
b) git create tag
c) git tag
d) git new tag

Answer: c) git tag

25. What is the command to push a tag to a remote repository?

a) git push tag
b) git tag push
c) git push –tags
d) git tags push

Answer: c) git push –tags

26. What is the command to check the status of a Git repository?

a) git status
b) git check
c) git state
d) git view

Answer: a) git status

27. What is the command to add a remote repository?

a) git remote add
b) git add remote
c) git remote new
d) git new remote

Answer: a) git remote add

28. What is the command to remove a file from Git without removing it from your file system?

a) git rm –cached
b) git rm
c) git delete –cached
d) git remove –cached

Answer: a) git rm –cached

29. What is the command to amend the most recent commit message in Git?

a) git commit –amend
b) git amend commit
c) git commit amend
d) git change commit

Answer: a) git commit –amend

30. What is the command to revert to a previous commit in Git?

a) git revert
b) git checkout
c) git back
d) git return

Answer: b) git checkout

Deepak Vishwakarma

Founder

RELATED Articles

Leave a Comment

This site uses Akismet to reduce spam. Learn how your comment data is processed.