KEMBAR78
Leet Code | PDF | String (Computer Science) | Software Engineering
0% found this document useful (0 votes)
55 views45 pages

Leet Code

The document provides explanations and Java code implementations for various algorithmic problems, including converting integers to Roman numerals, finding the length of the last word in a string, finding the longest common prefix, and more. Each section outlines the approach, how it works, and includes complete code snippets for easy copying. Additionally, it covers concepts like HashMap in Java, its operations, and a specific problem related to constructing a ransom note from a magazine.

Uploaded by

layappa44lk
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
55 views45 pages

Leet Code

The document provides explanations and Java code implementations for various algorithmic problems, including converting integers to Roman numerals, finding the length of the last word in a string, finding the longest common prefix, and more. Each section outlines the approach, how it works, and includes complete code snippets for easy copying. Additionally, it covers concepts like HashMap in Java, its operations, and a specific problem related to constructing a ransom note from a magazine.

Uploaded by

layappa44lk
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 45

1> Number to roman

Sure! Here's the explanation of the approach used in your intToRoman solution, followed by the complete
code so you can easily copy-paste it into Word:

✅ Approach to Convert Integer to Roman Numeral

This solution uses a greedy approach with two parallel arrays:

nums[] → Stores standard and special integer values used in Roman numerals.

sym[] → Stores the corresponding Roman numeral symbols for each value in nums[].

🔧 How It Works:

It loops through the values from largest to smallest (e.g., 1000, 900, ..., 1).

For each value

It checks how many times it can subtract that value from the input number.

For each subtraction, it adds the matching Roman symbol to the result.

This continues until the entire number is converted (i.e., num becomes 0).

This greedy subtraction ensures that the biggest possible Roman symbols are used first, which matches the
Roman numeral writing rules.

📌 Full Code:
class Solution {
public String intToRoman(int num) {

int[] nums = {1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1};
String[] sym = {"M", "CM", "D", "CD", "C", "XC", "L", "XL", "X", "IX", "V", "IV",
"I"};

StringBuilder sb = new StringBuilder();

for (int i = 0; i < nums.length && num > 0; i++) {


while (num >= nums[i]) {
sb.append(sym[i]);
num -= nums[i];
}
}

return sb.toString();
}
}
2> Length of last word in a string

Sure! Here's the approach explanation followed by the complete Java code so you can directly paste it into
Word.

✅ Approach Explanation: Length of Last Word

This solution efficiently finds the length of the last word in a given string by scanning from the end of the
string. It handles cases where the string may contain trailing spaces or multiple spaces between words.

🔧 How It Works:

Start from the end of the string.

Skip trailing spaces – these are not part of any word.

Once the last word starts (i.e., a non-space character is found), it counts the number of characters
until the next space or the beginning of the string.

The counter stores the length of the last word, which is returned at the end.

✅ Java Code (Final Version):


class Solution {
public int lengthOfLastWord(String s) {
int n = s.length();
int j = 0;
int i = n - 1;

// Skip trailing spaces


while (i >= 0 && s.charAt(i) == ' ') {
i--;
}

// Count characters of the last word


while (i >= 0 && s.charAt(i) != ' ') {
j++;
i--;
}

return j;
}

3> Longest common prefix

Here's the Java code to find the longest common prefix in an array of strings:
class Solution {
public String longestCommonPrefix(String[] strs) {
if (strs == null || strs.length == 0) return "";

String prefix = strs[0];

for (int i = 1; i < strs.length; i++) {


while (!strs[i].startsWith(prefix)) {
// Reduce the prefix by one character from the end
prefix = prefix.substring(0, prefix.length() - 1);
if (prefix.isEmpty()) return "";
}
}

return prefix;
}
}

How it works:

Assumes the first string is the common prefix.

For each remaining string, it reduces the prefix until it matches the start of that string.

Stops and returns when the prefix is empty or all strings are processed.

4> Leetcode 28: Find the Index of the First Occurrence in a String

✅ Java Code:
class Solution {
public int strStr(String haystack, String needle) {
int n = haystack.length();
int m = needle.length();

// Edge case: empty needle


if (m == 0) return 0;

for (int i = 0; i <= n - m; i++) {


// Check substring from i to i + m
if (haystack.substring(i, i + m).equals(needle)) {
return i;
}
}

return -1; // needle not found


}
}

🔍 Explanation:

We loop through the haystack from index 0 to n - m.

At each step, we extract a substring of length m and compare it with needle.

If we find a match, return the index.

If no match is found after the loop, return -1.

5>
151. Reverse Words in a String

Reverse Words in a String

Given an input string s, reverse the order of the words.


A word is defined as a sequence of non-space characters.

✅ Java Solution:
class Solution {
public String reverseWords(String s) {
// Step 1: Trim the input to remove leading/trailing spaces
s = s.trim();

// Step 2: Split the string by one or more spaces using regex


String[] words = s.split("\\s+");

// Step 3: Reverse the array of words


StringBuilder reversed = new StringBuilder();

for (int i = words.length - 1; i >= 0; i--) {


reversed.append(words[i]);
if (i != 0) {
reversed.append(" ");
}
}

// Step 4: Return the reversed sentence


return reversed.toString();
}
}

🧪 Example Input/Output:
Input: s = " i love you "
Output: "you love i"

💡 Notes

trim() removes leading and trailing spaces.

split("\\s+") splits by one or more spaces.

StringBuilder is used for efficient string manipulation.

Two pointers
125. Valid Palindrome

class Solution {

public boolean isPalindrome(String s) {

String lower = s.toLowerCase(); // Convert string to lowercase

String result = lower.replaceAll("[^a-z0-9]", ""); // Remove all non-alphanumeric characters

int n = result.length();

start = 0;

end = n - 1;

while (start < end) {

if (result.charAt(start) == result.charAt(end)) {

end--;

start++;

} else {

return false; // If characters don't match, not a palindrome

return true; // If loop completes, it's a palindrome

167. Two Sum II - Input Array Is Sorted

class Solution {

public int[] twoSum(int[] numbers, int target) {

// Initialize two pointers: one at the beginning and one at the end

int left = 0;

int right = numbers.length - 1;


// Loop until the two pointers meet

while (left < right) {

int sum = numbers[left] + numbers[right]; // Calculate the current sum

// If the sum matches the target, return the indices (1-based indexing)

if (sum == target) {

return new int[]{left + 1, right + 1};

// If the sum is less than target, move the left pointer to the right

else if (sum < target) {

left++;

// If the sum is greater than target, move the right pointer to the left

else {

right--;

// If no pair is found, return [-1, -1]

return new int[]{-1, -1};

MATRIX
48. Rotate Image

class Solution {

public void rotate(int[][] matrix) {

int n = matrix.length;

// Step 1: Transpose the matrix

// Swap elements matrix[i][j] with matrix[j][i] only for j > i

// to avoid swapping elements twice and to leave the diagonal untouched.

for (int i = 0; i < n; i++) {

for (int j = i + 1; j < n; j++) {

int temp = matrix[i][j];

matrix[i][j] = matrix[j][i];

matrix[j][i] = temp;

// Step 2: Reverse each row

// For each row, swap elements from start and end moving towards the center.

// This reverses the row in-place.

for (int i = 0; i < n; i++) {

int left = 0, right = n - 1;

while (left < right) {

int temp = matrix[i][left];

matrix[i][left] = matrix[i][right];

matrix[i][right] = temp;

left++;

right--;

}
}

73. Set Matrix Zeroes


class Solution {
public void setZeroes(int[][] matrix) {
int m = matrix.length;
int n = matrix[0].length;

boolean isfrowz=false;
boolean isfcolz=false;

for(int i = 0;i<n;i++)
{
if(matrix[0][i]==0)
{
isfrowz=true;
break;
}
}

for(int i = 0 ; i< m ;i++)


{
if(matrix[i][0]==0)
{
isfcolz=true;
break;
}
}

for(int i =1;i<m;i++)

{
for(int j =1;j<n;j++)
{
if(matrix[i][j]==0)
{
matrix[i][0]=0;
matrix[0][j]=0;
}
}
}

for(int i =1;i<m;i++)
{
for(int j =1;j<n;j++ )
{
if(matrix[i][0]==0 || matrix[0][j]==0 )
{
matrix[i][j]=0;
}
}
}
if(isfrowz)
{
for(int i =0 ;i<n ; i++)
{
matrix[0][i]=0;
}
}
if(isfcolz)
{
for(int i =0 ;i<m ; i++)
{
matrix[i][0]=0;
}
}
}
}

✅ Step 1: Check first row for 0

java
CopyEdit
for (int j = 0; j < n; j++) {
if (matrix[0][j] == 0) {
firstRowZero = true;
break;
}
}

Loop through the first row.

If any element is 0, set firstRowZero = true.

We’ll later zero out the whole row if this is true

✅ Step 2: Check first column for 0

java
CopyEdit
for (int i = 0; i < m; i++) {
if (matrix[i][0] == 0) {
firstColZero = true;
break;
}
}

Loop through the first column.

If any element is 0, set firstColZero = true.

✅ Step 3: Use first row and column as markers

java
CopyEdit
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
if (matrix[i][j] == 0) {
matrix[i][0] = 0;
matrix[0][j] = 0;
}
}
}

For each element (excluding the first row and column), if a zero is found at (i, j), mark the start of
its row (matrix[i][0] = 0) and column (matrix[0][j] = 0).

✅ Step 4: Update the matrix based on markers

java
CopyEdit
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
if (matrix[i][0] == 0 || matrix[0][j] == 0) {
matrix[i][j] = 0;
}
}
}

Now again go through the matrix (excluding first row/column).

If the row OR column is marked (i.e., has 0 at the start), set that cell to 0.

✅ Step 5: Handle the first row separately

java
CopyEdit
if (firstRowZero) {
for (int j = 0; j < n; j++) {
matrix[0][j] = 0;
}
}

If the first row had any zero originally, zero out the entire first row.

✅ Step 6: Handle the first column separately

java
CopyEdit
if (firstColZero) {
for (int i = 0; i < m; i++) {
matrix[i][0] = 0;
}
}
}
}

If the first column had any zero originally, zero out the entire first column
🧠 Summary:

Step 1 & 2: Check if first row/column need to be zeroed.

Step 3: Use first row/column as markers for zeros.

Step 4: Update cells using those markers.

Step 5 & 6: Handle first row and column based on earlier flags.

HASH MAP
🔷 What is HashMap in Java?
HashMap is a part of Java’s Collection Framework and is used to store key-value pairs. It is a class that
implements the Map interface and uses a hash table for storage.

✅ Key Points:

Belongs to java.util package.

Keys are unique, but values can be duplicated.

Allows null values and one null key.

Not synchronized (i.e., not thread-safe).

Provides constant time performance for basic operations (get and put), assuming the hash function
disperses elements properly.

🔧 Declaration & Initialization:


import java.util.HashMap;

HashMap<Integer, String> map = new HashMap<>();

You can also use:

java
CopyEdit
Map<String, Integer> map = new HashMap<>();

✅ Basic Operations:
🔹 1. put(K key, V value)
Adds a key-value pair to the map.

map.put(1, "Apple");
map.put(2, "Banana");

🔹 2. get(Object key)

Returns the value associated with the given key.

System.out.println(map.get(1)); // Output: Apple

🔹 3. remove(Object key)

Removes the entry for the specified key.

map.remove(2); // Removes Banana

🔹 4. containsKey(Object key)

Checks if a key exists.

map.containsKey(1); // true

🔹 5. containsValue(Object value)

Checks if a value exists.

map.containsValue("Apple"); // true

🔹 6. size()

Returns the number of key-value pairs.

int size = map.size();

🔹 7. isEmpty()

Checks if the map is empty.

map.isEmpty();

🔹 8. clear()

Removes all entries.

map.clear();

🔁 Iteration in HashMap
🔹 Using for-each loop:

for (Map.Entry<Integer, String> entry : map.entrySet()) {


System.out.println(entry.getKey() + " = " + entry.getValue());
}

🔹 Using keySet():

for (Integer key : map.keySet()) {


System.out.println("Key: " + key);
}

🔹 Using values():

for (String value : map.values()) {


System.out.println("Value: " + value);
}

📚 All Important Built-in Methods:


Method Description
put(K key, V value) Inserts a key-value pair
get(Object key) Returns value for a key
remove(Object key) Removes a key-value pair
clear() Clears the map
containsKey(Object key) Checks if key is present
containsValue(Object value) Checks if value is present
size() Returns number of entries
isEmpty() Checks if map is empty
keySet() Returns a set of keys
values() Returns a collection of values
entrySet() Returns a set of key-value mappings
putIfAbsent(K key, V value) Puts value only if key is not already associated
replace(K key, V value) Replaces value for a key
replace(K key, V oldValue, V Replaces value only if currently mapped to
newValue) oldValue
getOrDefault(Object key, V
Returns value if exists, else default
defaultValue)
forEach(BiConsumer action) Performs an action for each entry

383. Ransom Note

383. Ransom Note


Problem Statement:

Given two strings ransomNote and magazine, return true if ransomNote can be constructed by using the
letters from magazine and false otherwise.

Each letter in magazine can only be used once in ransomNote.

import java.util.HashMap;
class Solution {
public boolean canConstruct(String ransomNote, String magazine) {
// Create a HashMap to store character counts from the magazine
HashMap<Character, Integer> map = new HashMap<>();

// Count frequency of each character in the magazine


for (char c : magazine.toCharArray()) {
if (map.containsKey(c)) {
// If character already exists, increment its count
map.put(c, map.get(c) + 1);
} else {
// If character does not exist, add it with count 1
map.put(c, 1);
}
}

// Check if ransomNote characters can be constructed from magazine characters


for (char c : ransomNote.toCharArray()) {
// If character not present in map or count is 0, can't construct ransomNote
if (!map.containsKey(c) || map.get(c) == 0) {
return false;
}
// Use one occurrence of the character by decreasing count
map.put(c, map.get(c) - 1);
}

// If all characters found in sufficient quantity, return true


return true;
}
}

242. Valid Anagram

✅ Problem Definition:

Problem:
Write a function that checks whether two strings s and t are anagrams of each other.
Two strings are anagrams if they contain the same characters in the same frequency, but possibly in a different
order.

Example:

Input: s = "anagram", t = "nagaram" → Output: true

Input: s = "rat", t = "car" → Output: false

// Importing HashMap class for storing character frequencies

class Solution {
public boolean isAnagram(String s, String t) {
// Create a HashMap to store frequency of each character in string s
HashMap<Character, Integer> map = new HashMap<>();

// Get lengths of both strings


int n = s.length();
int m = t.length();

// If lengths are not equal, they can't be anagrams


if (n != m) {
return false;
}

// Count the frequency of each character in string s


for (char c : s.toCharArray()) {
if (map.containsKey(c)) {
// If character already in map, increment its count
map.put(c, map.get(c) + 1);
} else {
// If character not in map, add it with count 1
map.put(c, 1);
}
}

// Check if all characters in t have matching counts in map


for (char c : t.toCharArray()) {
// If character not in map or count is 0, it's not an anagram
if (!map.containsKey(c) || map.get(c) == 0) {
return false;
}
// Decrement the count for the character as it's matched
map.put(c, map.get(c) - 1);
}

// If all characters match correctly, return true


return true;
}
}

STACK

71. Simplify Path


import java.util.Stack; // Importing the Stack class from Java's utility package

// Define the Solution class


class Solution {
// Method to simplify a Unix-style file path
public String simplifyPath(String path) {
Stack<String> stack = new Stack<>(); // Create a stack to store valid directory names
String[] parts = path.split("/"); // Split the input path by "/" to get individual parts

// Iterate over each part of the path


for (String part : parts) {
if (part.equals("") || part.equals(".")) { // If the part is empty or a single dot "."
// Skip empty strings or current directory symbol
continue;
} else if (part.equals("..")) { // If the part is ".." (parent directory)
// Go up to the parent directory by popping the last valid directory if the stack is not empty
if (!stack.isEmpty()) {
stack.pop();
}
} else {
// If the part is a valid directory name, push it onto the stack
stack.push(part);
}
}

// Construct the simplified path from the stack


StringBuilder result = new StringBuilder(); // StringBuilder to efficiently build the result string
for (String dir : stack) { // Iterate through the stack
result.append("/").append(dir); // Append "/" followed by the directory name
}

// If the result is empty, return "/" representing the root directory


return result.length() > 0 ? result.toString() : "/";
}
}

155. Min Stack

/**
* Problem Statement:
* ------------------
* Design a stack that supports the following operations in constant time O(1):
*
* 1. push(int val) : Pushes the element val onto the stack.
* 2. pop() : Removes the element on the top of the stack.
* 3. top() : Gets the top element of the stack.
* 4. getMin() : Retrieves the minimum element in the stack.
*
* You must implement a solution with O(1) time complexity for each function.
*
* Example:
* --------
* Input:
* ["MinStack","push","push","push","getMin","pop","top","getMin"]
* [[],[-2],[0],[-3],[],[],[],[]]
*
* Output:
* [null,null,null,null,-3,null,0,-2]
*
* Explanation:
* MinStack minStack = new MinStack();
* minStack.push(-2);
* minStack.push(0);
* minStack.push(-3);
* minStack.getMin(); // return -3
* minStack.pop();
* minStack.top(); // return 0
* minStack.getMin(); // return -2
*
* Constraints:
* -----------
* -2^31 <= val <= 2^31 - 1
* Methods pop, top and getMin will always be called on non-empty stacks.
* At most 3 * 10^4 calls will be made to push, pop, top, and getMin.
*/

import java.util.Stack; // Importing Stack class from Java's utility package

// Class representing MinStack


class MinStack {

// Declare two stacks:


private Stack<Integer> stk; // Main stack to store all elements
private Stack<Integer> stk1; // Auxiliary stack to store the minimum values at each level

// Constructor: Initialize both stacks


public MinStack() {
stk = new Stack<>(); // Initialize main stack
stk1 = new Stack<>(); // Initialize min stack
}

// Method to push an element onto the stack


public void push(int val) {
stk.push(val); // Push value into main stack

// If min stack is empty, push the value itself


// Else push the minimum of 'val' and the top element of min stack
if (stk1.isEmpty()) {
stk1.push(val); // First element is also the minimum
} else {
stk1.push(Math.min(val, stk1.peek())); // Maintain the minimum so far
}
}

// Method to remove the top element from the stack


public void pop() {
stk.pop(); // Pop from main stack
stk1.pop(); // Pop from min stack to keep both in sync
}

// Method to get the top element of the stack


public int top() {
return stk.peek(); // Return top of main stack
}

// Method to retrieve the minimum element in the stack


public int getMin() {
return stk1.peek(); // Return the top of min stack, which is the current minimum
}
}

/**
* Example Usage:
* --------------
* MinStack obj = new MinStack();
* obj.push(-2);
* obj.push(0);
* obj.push(-3);
* int min1 = obj.getMin(); // returns -3
* obj.pop();
* int top = obj.top(); // returns 0
* int min2 = obj.getMin(); // returns -2
*
* Explanation:
* ------------
* - 'stk' stores all values like a normal stack.
* - 'stk1' maintains the minimum value corresponding to each push.
* - getMin() simply returns the top value of 'stk1', ensuring O(1) time complexity.
*/

150. Evaluate Reverse Polish Notation

✅ Problem Statement (Evaluate Reverse Polish


Notation — LeetCode 150)
You are given an array of strings tokens representing an arithmetic expression in Reverse Polish Notation
(RPN).
Evaluate the expression and return the result as an integer.

Valid operators are:

"+" (Addition)

"-" (Subtraction)

"*" (Multiplication)

"/" (Division, truncate toward zero)

Each operand is an integer or another expression.


The input is always valid.

Example 1:
Input: tokens = ["2","1","+","3","*"]
Output: 9
Explanation: ((2 + 1) * 3) = 9

Example 2:
Input: tokens = ["4","13","5","/","+"]
Output: 6
Explanation: (4 + (13 / 5)) = 6

import java.util.Stack; // Import Stack class to use stack data structure

class Solution {
public int evalRPN(String[] tokens) { // Method to evaluate Reverse Polish Notation expression
Stack<Integer> stk = new Stack<>(); // Create a stack to store integer operands
int n = tokens.length; // Get the total number of tokens

// Iterate over each token in the input array


for(int i = 0; i < n; i++) {
String token = tokens[i]; // Get the current token

// Check if the token is an operator


if(token.equals("+")) { // If the token is '+'
int b = stk.pop(); // Pop the top element (right operand)
int a = stk.pop(); // Pop the next element (left operand)
stk.push(a + b); // Calculate a + b and push the result back onto the stack
}
else if(token.equals("-")) { // If the token is '-'
int b = stk.pop(); // Pop the top element (right operand)
int a = stk.pop(); // Pop the next element (left operand)
stk.push(a - b); // Calculate a - b and push the result back onto the stack
}
else if(token.equals("*")) { // If the token is '*'
int b = stk.pop(); // Pop the top element (right operand)
int a = stk.pop(); // Pop the next element (left operand)
stk.push(a * b); // Calculate a * b and push the result back onto the stack
}
else if(token.equals("/")) { // If the token is '/'
int b = stk.pop(); // Pop the top element (right operand)
int a = stk.pop(); // Pop the next element (left operand)
stk.push(a / b); // Calculate a / b (integer division) and push the result
}
else {
// If the token is not an operator, it must be a number
stk.push(Integer.parseInt(token)); // Convert string to integer and push onto the stack
}
}

// After processing all tokens, the result will be the only element left on the stack
return stk.pop(); // Return the final evaluated result
}
}

✅ Explanation of Logic:
Why Stack?
Reverse Polish Notation (RPN) expressions are best evaluated using a stack, because they require that
operators operate on the last two numbers we’ve seen.

How the Algorithm Work:

Traverse each element (token) in the tokens array.

If the token is a number, convert it to integer and push into the stack.

If the token is an operator (+, -, *, /):

Pop two numbers from the stack — the topmost is the right operand, and the next is the
left operand.

Perform the operation (+, -, *, /).

Push the result back onto the stack.

After the loop finishes, the stack has only one number left — this is the result.

Example Walkthrough:

For tokens = ["2","1","+","3","*"]:

Tok Stac
Action
en k
"2" Push 2 [2]
"1" Push 1 [2,1]
Pop 1 & 2 → calculate 2+1=3 → Push
"+" [3]
3
"3" Push 3 [3,3]
Tok Stac
Action
en k
Pop 3 & 3 → calculate 3*3=9 → Push
"*" [9]
9

Result: 9

✅ Time and Space Complexity:


Time Complexity: O(n) — each token is processed once.

Space Complexity: O(n) — in the worst case, the stack stores all numbers.

Linked list

Here’s a *complete guide to Linked Lists in Java, including **concept, types, and all operations* with *code
examples*:

## ✅ *What is a Linked List?*

A *Linked List* is a linear data structure where each element (node) points to the next. Unlike arrays, linked
lists do not have fixed sizes, and their elements are not stored in contiguous memory locations.

## ✅ *Types of Linked Lists*

1. *Singly Linked List*

Each node points to the next node.

2. *Doubly Linked List*

Each node points to both the next and previous node.

3. *Circular Linked List*

The last node points to the head node (forming a circle).


## ✅ *Node Structure*

java

class Node {

int data;

Node next;

Node(int data) {

this.data = data;

next = null;

## ✅ *Operations on Singly Linked List*

### 1. *Insertion*

* *At the beginning*

* *At the end*

* *At a given position*

#### Code:

java

class LinkedList {

Node head;

// Insert at beginning

void insertAtBeginning(int data) {


Node newNode = new Node(data);

newNode.next = head;

head = newNode;

// Insert at end

void insertAtEnd(int data) {

Node newNode = new Node(data);

if(head == null) {

head = newNode;

return;

Node temp = head;

while(temp.next != null) temp = temp.next;

temp.next = newNode;

// Insert at a given position

void insertAtPosition(int data, int position) {

Node newNode = new Node(data);

if(position == 1) {

newNode.next = head;

head = newNode;

return;

Node temp = head;

for(int i=1; i<position-1 && temp != null; i++) {

temp = temp.next;
}

if(temp == null) return; // Position out of bounds

newNode.next = temp.next;

temp.next = newNode;

---

### 2. *Deletion*

* *At the beginning*

* *At the end*

* *At a given position*

#### Code:

java

// Delete from beginning

void deleteFromBeginning() {

if(head != null) head = head.next;

// Delete from end

void deleteFromEnd() {

if(head == null || head.next == null) {

head = null;
return;

Node temp = head;

while(temp.next.next != null) temp = temp.next;

temp.next = null;

// Delete at a given position

void deleteAtPosition(int position) {

if(position == 1 && head != null) {

head = head.next;

return;

Node temp = head;

for(int i=1; i<position-1 && temp != null; i++) {

temp = temp.next;

if(temp == null || temp.next == null) return;

temp.next = temp.next.next;

---

### 3. *Search an Element*

java

boolean search(int key) {


Node temp = head;

while(temp != null) {

if(temp.data == key) return true;

temp = temp.next;

return false;

### 4. *Display the Linked List*

java

void display() {

Node temp = head;

while(temp != null) {

System.out.print(temp.data + " -> ");

temp = temp.next;

System.out.println("null");

### 5. *Reverse a Linked List*

java

void reverse() {

Node prev = null;

Node current = head;

Node next = null;


while(current != null) {

next = current.next;

current.next = prev;

prev = current;

current = next;

head = prev;

### 6. *Find Middle Element*

java

void findMiddle() {

Node slow = head;

Node fast = head;

while(fast != null && fast.next != null) {

slow = slow.next;

fast = fast.next.next;

if(slow != null)

System.out.println("Middle element is: " + slow.data);

## ✅ *Other Important Operations*

### 7. *Detect Loop (Cycle) in Linked List*

java
boolean hasLoop() {

Node slow = head, fast = head;

while(fast != null && fast.next != null) {

slow = slow.next;

fast = fast.next.next;

if(slow == fast) return true;

return false;

---

## ✅ *Doubly Linked List Example*

java

class DNode {

int data;

DNode next, prev;

DNode(int data) {

this.data = data;

class DoublyLinkedList {

DNode head;
void insertAtBeginning(int data) {

DNode newNode = new DNode(data);

newNode.next = head;

if(head != null) head.prev = newNode;

head = newNode;

void displayForward() {

DNode temp = head;

while(temp != null) {

System.out.print(temp.data + " <-> ");

temp = temp.next;

System.out.println("null");

---

## ✅ *Java Built-in LinkedList Class*

Java provides a ready-to-use LinkedList in java.util:

java

import java.util.LinkedList;

public class Example {


public static void main(String[] args) {

LinkedList<Integer> list = new LinkedList<>();

// Insertion

list.add(10); // end

list.addFirst(5); // beginning

list.addLast(15); // end

list.add(1, 7); // at index 1

// Deletion

list.removeFirst();

list.removeLast();

list.remove(1); // at index 1

// Search

System.out.println(list.contains(10)); // true/false

// Display

System.out.println(list);

## ✅ *Complexity Analysis*

| Operation | Time Complexity |

| --------------------- | --------------- |

| Insertion (head/tail) | O(1) |

| Insertion (middle) | O(n) |

| Deletion (head/tail) | O(1) |


| Deletion (middle) | O(n) |

| Search | O(n) |

## ✅ *When to Use Linked List?*

* When frequent insertions/deletions are required.

* When random access is not needed (unlike arrays).

141. Linked List Cycle


Given head, the head of a linked list, determine if the linked list has a cycle in it.

There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the next pointer.
Internally, pos is used to denote the index of the node that tail's next pointer is connected to. Note that pos is not passed as a
parameter.

Return true if there is a cycle in the linked list. Otherwise, return false.

/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/

public class Solution {


public boolean hasCycle(ListNode head) {
// Base case: empty list or single node pointing to null
if(head == null || head.next == null) return false;

ListNode slow = head; // Moves 1 step


ListNode fast = head.next; // Moves 2 steps

// Floyd's Cycle Detection Algorithm


while(slow != fast) {
if(fast == null || fast.next == null) return false; // no cycle
slow = slow.next;
fast = fast.next.next;
}

return true; // slow == fast => cycle exists


}
}
2. Add Two Numbers
You are given two non-empty linked lists representing two non-negative integers. The digits are stored in reverse order, and
each of their nodes contains a single digit. Add the two numbers and return the sum as a linked list.

You may assume the two numbers do not contain any leading zero, except the number 0 itself.

Example 1:

Input: l1 = [2,4,3], l2 = [5,6,4] Output: [7,0,8] Explanation: 342 + 465 = 807.

Example 2:

/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode addTwoNumbers(ListNode l1, ListNode l2) {
// Dummy node to simplify adding nodes
ListNode dummy = new ListNode(0);
ListNode current = dummy;
int carry = 0;

// Traverse both lists


while (l1 != null || l2 != null) {
int sum = carry; // Start with carry value

if (l1 != null) { // If l1 is not finished


sum += l1.val;
l1 = l1.next;
}

if (l2 != null) { // If l2 is not finished


sum += l2.val;
l2 = l2.next;
}

carry = sum / 10; // Calculate new carry


current.next = new ListNode(sum % 10); // Create new node with remainder
current = current.next; // Move current pointer
}

// If carry remains after last addition


if (carry > 0) {
current.next = new ListNode(carry);
}

return dummy.next; // Return the real head


}
}

21. Merge Two Sorted Lists

You are given the heads of two sorted linked lists list1 and list2.

Merge the two lists into one sorted list. The list should be made by splicing together the nodes of the first two lists.

Return the head of the merged linked list.

Example 1:

Input: list1 = [1,2,4], list2 = [1,3,4] Output: [1,1,2,3,4,4]

Example 2:

Input: list1 = [], list2 = [] Output: []

Example 3:
Input: list1 = [], list2 = [0] Output: [0]

/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode mergeTwoLists(ListNode list1, ListNode list2) {
ListNode dummy = new ListNode(0); // dummy node
ListNode current = dummy; // pointer to build the new list

while(list1 != null && list2 != null) {


if(list1.val <= list2.val) {
current.next = list1; // attach list1 node
list1 = list1.next; // move list1
} else {
current.next = list2; // attach list2 node
list2 = list2.next; // move list2
}
current = current.next; // move the 'current'
}

// If one list is exhausted, attach the other


if(list1 != null) current.next = list1;
if(list2 != null) current.next = list2;

return dummy.next; // return the start of the merged list


}
}

202. Happy Number


Write an algorithm to determine if a number n is happy.

A happy number is a number defined by the following process:

 Starting with any positive integer, replace the number by the sum of the squares of its digits.
 Repeat the process until the number equals 1 (where it will stay), or it loops endlessly in a cycle which does not include
1.
 Those numbers for which this process ends in 1 are happy.

Return true if n is a happy number, and false if not.

Example 1:

Input: n = 19 Output: true Explanation:


1 +92 2
= 82
8 +22 2
= 68
6 +82 2
= 100
1 +02 2
+0 =1
2

Example 2:
Input: n = 2 Output: false
class Solution {
public boolean isHappy(int n) {
// Create a Set to store numbers we've already seen
// This is used to detect cycles (loops) in the process
Set<Integer> set = new HashSet<>();

// Infinite loop, will exit when either a happy number is found or a cycle is detected
while(true) {
int sum = 0; // This will store the sum of the squares of the digits

// Extract each digit, square it, and add to 'sum'


while(n != 0) {
sum += Math.pow(n % 10, 2.0); // Get the last digit, square it, and add to sum
n = n / 10; // Remove the last digit from n
}

// If the sum becomes 1, the number is a happy number


if(sum == 1) {
return true; // Exit and return true
}

// Update n with the newly calculated sum


n = sum;

// If this sum has been seen before, we are in a cycle — so not a happy number
if(set.contains(n)) {
return false; // Exit and return false (not a happy number)
}

// If not seen before, add the sum to the set to keep track
set.add(n);
}
}
}

92. Reverse Linked List II


Given the head of a singly linked list and two integers left and right where left <= right, reverse the nodes of the list from
position left to position right, and return the reversed list.

Example 1:

Input: head = [1,2,3,4,5], left = 2, right = 4 Output: [1,4,3,2,5]

Example 2:

Input: head = [5], left = 1, right = 1 Output: [5]


/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode reverseBetween(ListNode head, int left, int right) {

ListNode dummy = new ListNode(0);


dummy.next = head;

ListNode leftpre = dummy;

// Move leftpre to the node just before 'left'


for(int i = 0; i < left - 1; i++) {
leftpre = leftpre.next;
}

ListNode cur = leftpre.next;


ListNode prev = null;

// Reverse the sublist from left to right


for(int i = 0; i < right - left + 1; i++) {
ListNode nextnode = cur.next;
cur.next = prev;
prev = cur;
cur = nextnode;
}

// Reconnect the reversed sublist with the remaining list


leftpre.next.next = cur;
leftpre.next = prev;

return dummy.next;
}
}

19. Remove Nth Node From End of List


Given the head of a linked list, remove the n node from the end of the list and return its head.
th

Example 1:
Input: head = [1,2,3,4,5], n = 2 Output: [1,2,3,5]

Example 2:

Input: head = [1], n = 1 Output: []

Example 3:

Input: head = [1,2], n = 1 Output: [1]

class Solution {
public ListNode removeNthFromEnd(ListNode head, int n) {
int length = 0;
ListNode curr = head;

// Calculate the total length


while (curr != null) {
length++;
curr = curr.next;
}

// Use a dummy node to handle edge cases like removing the first node
ListNode dummy = new ListNode(0);
dummy.next = head;
curr = dummy;

// Move to the node before the one to be removed


for (int i = 0; i < length - n; i++) {
curr = curr.next;
}

// Skip the target node


curr.next = curr.next.next;

return dummy.next; // Return the new head


}
}

Binary search tree

Here’s a complete guide to Binary Trees in Java — from theory to practical coding:
🌳 Binary Tree: Concept
A Binary Tree is a hierarchical data structure where each node has at most two children — referred to as left
and right.

1. Basic Terminology
Term Meaning
Contains data and links to child
Node
nodes.
Root The first/top node of the tree.
Leaf A node with no children.
Heigh
Longest path from root to any leaf.
t
Depth Distance from root to that node.
Subtr
Any node and its descendants.
ee

2. Types of Binary Trees


Full Binary Tree: Every node has 0 or 2 children.

Complete Binary Tree: All levels filled except possibly the last, filled from left to right.

Perfect Binary Tree: All levels are fully filled.

Balanced Binary Tree: Height difference between left and right subtree is not more than 1.

Degenerate/Skewed Tree: Each parent node has only one child (acts like a linked list).

3. Binary Tree Node Implementation


class Node {
int data;
Node left, right;

public Node(int item) {


data = item;
left = right = null;
}
}

4. Basic Operations
4.1 Insertion
class BinaryTree {
Node root;

public void insert(int data) {


root = insertRec(root, data);
}

Node insertRec(Node root, int data) {


if (root == null) {
root = new Node(data);
return root;
}
if (data < root.data)
root.left = insertRec(root.left, data);
else if (data > root.data)
root.right = insertRec(root.right, data);
return root;
}
}

4.2 Traversals

Inorder (LNR): Left → Node → Right

Preorder (NLR): Node → Left → Right

Postorder (LRN): Left → Right → Node

Level Order (BFS): Level by leve

// Inorder
void inorder(Node root) {
if (root != null) {
inorder(root.left);
System.out.print(root.data + " ");
inorder(root.right);
}
}

4.3 Searching
boolean search(Node root, int key) {
if (root == null) return false;
if (root.data == key) return true;
return key < root.data ? search(root.left, key) : search(root.right, key);
}

4.4 Deletion
Node delete(Node root, int key) {
if (root == null) return root;

if (key < root.data) root.left = delete(root.left, key);


else if (key > root.data) root.right = delete(root.right, key);
else {
if (root.left == null) return root.right;
else if (root.right == null) return root.left;
root.data = minValue(root.right);
root.right = delete(root.right, root.data);
}
return root;
}
int minValue(Node root) {
int minv = root.data;
while (root.left != null) {
minv = root.left.data;
root = root.left;
}
return minv;
}

5. Important Questions
Problem Description
Height of Tree 1 + max(height(left), height(right))
Count Nodes 1 + count(left) + count(right)
Sum of All Nodes sum = root + sum(left) + sum(right)
Check if Balanced Check height difference for all nodes.
Mirror Tree Swap left and right for all nodes.
Lowest Common
Find common parent for two nodes.
Ancestor

6. Level Order Traversal (Using Queue)


void levelOrder(Node root) {
if (root == null) return;
Queue<Node> q = new LinkedList<>();
q.add(root);
while (!q.isEmpty()) {
Node temp = q.poll();
System.out.print(temp.data + " ");
if (temp.left != null) q.add(temp.left);
if (temp.right != null) q.add(temp.right);
}
}

7. Applictions of Binary Trees


Binary Search Trees (BST)

Heap (priority queues)

Huffman Coding

Expression Trees (used in compilers)

File systems

8. Example Usage
public class Main {
public static void main(String[] args) {
BinaryTree tree = new BinaryTree();
tree.insert(50);
tree.insert(30);
tree.insert(70);
tree.insert(20);
tree.insert(40);
tree.insert(60);
tree.insert(80);

tree.inorder(tree.root); // Output: 20 30 40 50 60 70 80
}
}

104. Maximum Depth of Binary Tree


a binary tree, return its maximum depth.

A binary tree's maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node.

Example 1:

Input: root = [3,9,20,null,null,15,7] Output: 3

Example 2:

Input: root = [1,null,2] Output: 2

/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public int maxDepth(TreeNode root) {

if(root ==null )
{
return 0 ;

}
else
{
int leftdepth=maxDepth(root.left);
int rightdepth=maxDepth(root.right);
return Math.max(leftdepth,rightdepth)+1;
}

}
}

100. Same Tree


Given the roots of two binary trees p and q, write a function to check if they are the same or not.

Two binary trees are considered the same if they are structurally identical, and the nodes have the same value.

Example 1:

Input: p = [1,2,3], q = [1,2,3] Output: true

Example 2:

Input: p = [1,2], q = [1,null,2] Output: false

Example 3:
Input: p = [1,2,1], q = [1,1,2] Output: false

/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public boolean isSameTree(TreeNode p, TreeNode q) {
if(p==null && q==null)
{
return true;
}
if(p==null || q==null)
{
return false;
}
if(p.val!=q.val)
{
return false;
}
return isSameTree(p.left, q.left) && isSameTree(p.right, q.right);

}
}

226. Invert Binary Tree


Given the root of a binary tree, invert the tree, and return its root.

Example 1:
Input: root = [4,2,7,1,3,6,9] Output: [4,7,2,9,6,3,1]

Example 2:

Input: root = [2,1,3] Output: [2,3,1]

Example 3:

Input: root = [] Output: []

/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public TreeNode invertTree(TreeNode root) {
if(root == null)
{
return null ;
}
TreeNode temp=root.left;
root.left=root.right;
root.right=temp;

invertTree(root.left);
invertTree(root.right);
return root;
}
}

101. Symmetric Tree


of a binary tree, check whether it is a mirror of itself (i.e., symmetric around its center).

Example 1:

Input: root = [1,2,2,3,4,4,3] Output: true

Example 2:

Input: root = [1,2,2,null,3,null,3] Output: false


class Solution {
public boolean isSymmetric(TreeNode root) {
if (root == null) return true;
return isMirror(root.left, root.right);
}

private boolean isMirror(TreeNode t1, TreeNode t2) {


if (t1 == null && t2 == null) return true;
if (t1 == null || t2 == null) return false;
return (t1.val == t2.val)
&& isMirror(t1.left, t2.right)
&& isMirror(t1.right, t2.left);
}
}

You might also like