Find the first repeated word in a string
Last Updated :
20 Dec, 2023
Given a string, Find the 1st repeated word in a string.
Examples:
Input: "Ravi had been saying that he had been there"
Output: hadInput: "Ravi had been saying that"
Output: No Repetition
Input: "he had had he"
he
question source: https://www.geeksforgeeks.org/interview-experiences/goldman-sachs-interview-experience-set-29-internship/
Simple Approach : Start iterating from back and for every new word , store it in unordered map . For every word which has occurred more than one , update ans to be that word , at last reverse ans and print it.
Implementation:
C++
// Cpp program to find first repeated word in a string
#include<bits/stdc++.h>
using namespace std;
void solve(string s)
{
unordered_map<string,int> mp; // to store occurrences of word
string t="",ans="";
// traversing from back makes sure that we get the word which repeats first as ans
for(int i=s.length()-1;i>=0;i--)
{
// if char present , then add that in temp word string t
if(s[i]!=' ')
{
t+=s[i];
}
// if space is there then this word t needs to stored in map
else
{
mp[t]++;
// if that string t has occurred previously then it is a possible ans
if(mp[t]>1)
ans=t;
// set t as empty for again new word
t="";
}
}
// first word like "he" needs to be mapped
mp[t]++;
if(mp[t]>1)
ans=t;
if(ans!="")
{
// reverse ans string as it has characters in reverse order
reverse(ans.begin(),ans.end());
cout<<ans<<'\n';
}
else
cout<<"No Repetition\n";
}
int main()
{
string u="Ravi had been saying that he had been there";
string v="Ravi had been saying that";
string w="he had had he";
solve(u);
solve(v);
solve(w);
return 0;
}
Java
import java.util.*;
public class GFG {
// Java program to find first repeated word in a string
public static void solve(String s)
{
HashMap<String, Integer> mp
= new HashMap<String,
Integer>(); // to store
// occurrences of word
String t = "";
String ans = "";
// traversing from back makes sure that we get the
// word which repeats first as ans
for (int i = s.length() - 1; i >= 0; i--) {
// if char present , then add that in temp word
// string t
if (s.charAt(i) != ' ') {
t += s.charAt(i);
}
// if space is there then this word t needs to
// stored in map
else {
if (!mp.containsKey(t)) {
mp.put(t, 1);
}
else {
mp.put(t, mp.get(t) + 1);
}
// if that string t has occurred previously
// then it is a possible ans
if (mp.get(t) > 1) {
ans = t;
}
// set t as empty for again new word
t = "";
}
}
// first word like "he" needs to be mapped
if (!mp.containsKey(t)) {
mp.put(t, 1);
}
else {
mp.put(t, mp.get(t) + 1);
}
if (mp.get(t) > 1) {
ans = t;
}
if (!ans.equals("")) {
// reverse ans string as it has characters in
// reverse order
StringBuilder input1 = new StringBuilder();
// append a string into StringBuilder input1
input1.append(ans);
// reverse StringBuilder input1
input1.reverse();
System.out.println(input1);
}
else {
System.out.print("No Repetition\n");
}
}
public static void main(String[] args)
{
String u
= "Ravi had been saying that he had been there";
String v = "Ravi had been saying that";
String w = "he had had he";
solve(u);
solve(v);
solve(w);
}
}
// This code is contributed by Aarti_Rathi
Python3
# Python program to find first repeated word in a string
def solve(s):
mp = {} # to store occurrences of word
t = ""
ans = ""
# traversing from back makes sure that we get the word which repeats first as ans
for i in range(len(s) - 1,-1,-1):
# if char present , then add that in temp word string t
if(s[i] != ' '):
t += s[i]
# if space is there then this word t needs to stored in map
else:
# if that string t has occurred previously then it is a possible ans
if(t in mp):
ans = t
else:
mp[t] = 1
# set t as empty for again new word
t = ""
# first word like "he" needs to be mapped
if(t in mp):
ans=t
if(ans!=""):
# reverse ans string as it has characters in reverse order
ans = ans[::-1]
print(ans)
else:
print("No Repetition")
# driver code
u = "Ravi had been saying that he had been there"
v = "Ravi had been saying that"
w = "he had had he"
solve(u)
solve(v)
solve(w)
# This code is contributed by shinjanpatra
C#
// C# program to find first repeated word in a string
using System;
using System.Collections.Generic;
class GFG {
static void solve(string s)
{
Dictionary<string, int> mp = new Dictionary<
string, int>(); // to store occurrences of word
string t = "";
string ans = "";
// traversing from back makes sure that we get the
// word which repeats first as ans
for (int i = s.Length - 1; i >= 0; i--) {
// if char present , then add that in temp word
// string t
if (s[i] != ' ') {
t += s[i];
}
// if space is there then this word t needs to
// stored in map
else {
if (mp.ContainsKey(t)) {
mp[t] += 1;
}
else {
mp.Add(t, 1);
}
// if that string t has occurred previously
// then it is a possible ans
if (mp[t] > 1) {
ans = t;
}
// set t as empty for again new word
t = "";
}
}
// first word like "he" needs to be mapped
if (mp.ContainsKey(t)) {
mp[t] += 1;
}
else {
mp.Add(t, 1);
}
if (mp[t] > 1) {
ans = t;
}
if (ans != "") {
// reverse ans string as it has characters in
// reverse order
char[] charArray = ans.ToCharArray();
Array.Reverse(charArray);
Console.WriteLine(new string(charArray));
}
else {
Console.Write("No Repetition\n");
}
}
public static void Main()
{
string u
= "Ravi had been saying that he had been there";
string v = "Ravi had been saying that";
string w = "he had had he";
solve(u);
solve(v);
solve(w);
}
}
// This code is contributed by Aarti_Rathi
JavaScript
<script>
// JavaScript program to find first repeated word in a string
function solve(s)
{
let mp = new Map(); // to store occurrences of word
let t = "";
let ans = "";
// traversing from back makes sure that we get the word which repeats first as ans
for(let i = s.length - 1; i >= 0; i--)
{
// if char present , then add that in temp word string t
if(s[i] != ' ')
{
t += s[i];
}
// if space is there then this word t needs to stored in map
else
{
// if that string t has occurred previously then it is a possible ans
if(mp.has(t))
ans = t;
else mp.set(t, 1)
// set t as empty for again new word
t = "";
}
}
// first word like "he" needs to be mapped
if(mp.has(t)) ans=t;
if(ans!="")
{
// reverse ans string as it has characters in reverse order
ans = [...ans].reverse().join("");
document.write(ans);
}
else
document.write("No Repetition");
}
// driver code
const u = "Ravi had been saying that he had been there";
const v = "Ravi had been saying that";
const w = "he had had he";
solve(u);
solve(v);
solve(w);
// This code is contributed by shinjanpatra
</script>
Outputhad
No Repetition
he
Time complexity: O(N),because of for loop
Space Complexity: O(N),because of unordered_map/hashmap
Another Approach: The idea is to tokenize the string and store each word and its count in hashmap. Then traverse the string again and for each word of string, check its count in created hashmap.
Implementation:
CPP
// CPP program for finding first repeated
// word in a string
#include <bits/stdc++.h>
using namespace std;
// returns first repeated word
string findFirstRepeated(string s)
{
// break string into tokens
// and then each string into set
// if a word appeared before appears
// again, return the word and break
istringstream iss(s);
string token;
// hashmap for storing word and its count
// in sentence
unordered_map<string, int> setOfWords;
// store all the words of string
// and the count of word in hashmap
while (getline(iss, token, ' ')) {
if (setOfWords.find(token) != setOfWords.end())
setOfWords[token] += 1; // word exists
else
// insert new word to set
setOfWords.insert(make_pair(token, 1));
}
// traverse again from first word of string s
// to check if count of word is greater than 1
// either take a new stream or store the words
// in vector of strings in previous loop
istringstream iss2(s);
while (getline(iss2, token, ' ')) {
int count = setOfWords[token];
if (count > 1) {
return token;
}
}
return "NoRepetition";
}
// driver program
int main()
{
string s("Ravi had been saying that he had been there");
string firstWord = findFirstRepeated(s);
if (firstWord != "NoRepetition")
cout << "First repeated word :: "
<< firstWord << endl;
else
cout << "No Repetitionn";
return 0;
}
Java
// Java program for finding first repeated
// word in a string
import java.util.*;
class GFG{
// returns first repeated word
static String findFirstRepeated(String s)
{
// break string into tokens
// and then each string into set
// if a word appeared before appears
// again, return the word and break
String token[] = s.split(" ");
// hashmap for storing word and its count
// in sentence
HashMap<String, Integer> setOfWords = new HashMap<String, Integer>();
// store all the words of string
// and the count of word in hashmap
for (int i=0; i<token.length; i++) {
if (setOfWords.containsKey(token[i]))
setOfWords.put(token[i], setOfWords.get(token[i]) + 1); // word exists
else
// insert new word to set
setOfWords.put(token[i], 1);
}
// traverse again from first word of string s
// to check if count of word is greater than 1
// either take a new stream or store the words
// in vector of strings in previous loop
for (int i=0; i<token.length; i++) {
int count = setOfWords.get(token[i]);
if (count > 1) {
return token[i];
}
}
return "NoRepetition";
}
// driver program
public static void main(String args[])
{
String s = "Ravi had been saying that he had been there";
String firstWord = findFirstRepeated(s);
if (!firstWord.equals("NoRepetition"))
System.out.println("First repeated word :: " + firstWord);
else
System.out.println("No Repetitionn");
}
}
Python3
class GFG:
# returns first repeated word
@staticmethod
def findFirstRepeated(s):
# break string into tokens
# and then each string into set
# if a word appeared before appears
# again, return the word and break
token = s.split(" ")
# map for storing word and its count
# in sentence
setOfWords = {}
# store all the words of string
# and the count of word in map
for i in range(len(token)):
if token[i] in setOfWords:
setOfWords[token[i]] += 1
else:
# insert new word to map
setOfWords[token[i]] = 1
# traverse again from first word of string s
# to check if count of word is greater than 1
# either take a new stream or store the words
# in array of strings in previous loop
for i in range(len(token)):
count = setOfWords[token[i]]
if count > 1:
return token[i]
return "NoRepetition"
# driver program
@staticmethod
def main(args):
s = "Ravi had been saying that he had been there"
firstWord = GFG.findFirstRepeated(s)
if firstWord != "NoRepetition":
print("First repeated word :: " + firstWord)
else:
print("No Repetition")
GFG.main([])
# This code is contributed by adityashatmfh
C#
// C# program for finding first repeated
// word in a string
using System;
using System.Collections.Generic;
using System.Collections;
using System.Linq;
class HelloWorld {
// returns first repeated word
public static string findFirstRepeated(string s)
{
// break string into tokens
// and then each string into set
// if a word appeared before appears
// again, return the word and break
string[] token = s.Split(" ");
// hashmap for storing word and its count
// in sentence
Dictionary<string, int> setOfWords = new Dictionary<string,int>();
// store all the words of string
// and the count of word in map
for (int i=0; i < token.Length; i++)
{
if (setOfWords.ContainsKey(token[i]) == true)
{
setOfWords[token[i]] = setOfWords[token[i]] + 1;
}
else
{
// insert new word to map
setOfWords.Add(token[i], 1);
}
}
// traverse again from first word of string s
// to check if count of word is greater than 1
// either take a new stream or store the words
// in array of strings in previous loop
for (int i=0; i < token.Length; i++)
{
int count = setOfWords[token[i]];
if (count > 1)
{
return token[i];
}
}
return "NoRepetition";
}
static void Main() {
string s = "Ravi had been saying that he had been there";
string firstWord = findFirstRepeated(s);
if (firstWord != "NoRepetition")
Console.WriteLine("First repeated word :: " + firstWord);
else
Console.WriteLine("No Repitition");
}
}
// The code is contributed by Nidhi goel.
JavaScript
class GFG
{
// returns first repeated word
static findFirstRepeated(s)
{
// break string into tokens
// and then each string into set
// if a word appeared before appears
// again, return the word and break
var token = s.split(" ");
// map for storing word and its count
// in sentence
var setOfWords = new Map();
// store all the words of string
// and the count of word in map
for (let i=0; i < token.length; i++)
{
if (setOfWords.has(token[i]))
{
setOfWords.set(token[i],setOfWords.get(token[i]) + 1);
}
else
{
// insert new word to map
setOfWords.set(token[i],1);
}
}
// traverse again from first word of string s
// to check if count of word is greater than 1
// either take a new stream or store the words
// in array of strings in previous loop
for (let i=0; i < token.length; i++)
{
var count = setOfWords.get(token[i]);
if (count > 1)
{
return token[i];
}
}
return "NoRepetition";
}
// driver program
static main(args)
{
var s = "Ravi had been saying that he had been there";
var firstWord = GFG.findFirstRepeated(s);
if (firstWord !== "NoRepetition")
{
console.log("First repeated word :: " + firstWord);
}
else
{
console.log("No Repetitionn");
}
}
}
GFG.main([]);
// This code is contributed by mukulsomukesh
OutputFirst repeated word :: had
Method #2: Using built in python functions:
- As all the words in a sentence are separated by spaces.
- We have to split the sentence by spaces using split().
- We split all the words by spaces and store them in a list.
- Use Counter function to count frequency of words
- Traverse the list and check if any word has frequency greater than 1
- If it is present then print the word and break the loop
Implementation::
C++
#include <iostream>
#include <string>
#include <vector>
#include <unordered_map>
using namespace std;
string firstRepeatedWord(string sentence)
{
// Splitting the string into words
vector<string> words;
size_t pos = 0;
while ((pos = sentence.find(' ')) != string::npos)
{
string word = sentence.substr(0, pos);
words.push_back(word);
sentence.erase(0, pos + 1);
}
words.push_back(sentence); // Add the last word
// Calculating the frequency of each word
unordered_map<string, int> frequency;
for (size_t i = 0; i < words.size(); i++)
{
string word = words[i];
if (frequency.find(word) == frequency.end())
{
frequency[word] = 1;
}
else
{
frequency[word]++;
}
}
// Traversing the list of words
for (size_t i = 0; i < words.size(); i++)
{
string word = words[i];
// Checking if the frequency is greater than 1
if (frequency[word] > 1)
{
// Return the word
return word;
}
}
// If no repeated word is found
return "No repeated word found";
}
int main()
{
string sentence = "Vikram had been saying that he had been there";
cout << firstRepeatedWord(sentence) << endl;
return 0;
}
// This code is contributed by akshitaguprzj3
Java
import java.util.*;
class GFG
{
public static String firstRepeatedWord(String sentence)
{
// splitting the string
String[] lis = sentence.split(" ");
// Calculating frequency of every word
Map<String, Integer> frequency = new HashMap<>();
for (int i = 0; i < lis.length; i++)
{
String word = lis[i];
if (!frequency.containsKey(word))
{
frequency.put(word, 1);
}
else
{
frequency.put(word, frequency.get(word) + 1);
}
}
// Traversing the list of words
for (int i = 0; i < lis.length; i++)
{
String word = lis[i];
// checking if frequency is greater than 1
if (frequency.get(word) > 1)
{
// return the word
return word;
}
}
// if no repeated word is found
return "No repeated word found";
}
// Driver code
public static void main(String[] args)
{
String sentence = "Vikram had been saying that he had been there";
System.out.println(firstRepeatedWord(sentence));
}
}
Python3
# Python program for the above approach
from collections import Counter
# Python program to find the first
# repeated character in a string
def firstRepeatedWord(sentence):
# splitting the string
lis = list(sentence.split(" "))
# Calculating frequency of every word
frequency = Counter(lis)
# Traversing the list of words
for i in lis:
# checking if frequency is greater than 1
if(frequency[i] > 1):
# return the word
return i
# Driver code
sentence = "Vikram had been saying that he had been there"
print(firstRepeatedWord(sentence))
# this code is contributed by vikkycirus
C#
using System;
using System.Collections.Generic;
class Program
{
static string FirstRepeatedWord(string sentence)
{
// Splitting the string into words
List<string> words = new List<string>();
int pos;
while ((pos = sentence.IndexOf(' ')) != -1)
{
string word = sentence.Substring(0, pos);
words.Add(word);
sentence = sentence.Remove(0, pos + 1);
}
words.Add(sentence); // Add the last word
// Calculating the frequency of each word
Dictionary<string, int> frequency = new Dictionary<string, int>();
foreach (string word in words)
{
if (!frequency.ContainsKey(word))
{
frequency[word] = 1;
}
else
{
frequency[word]++;
}
}
// Traversing the list of words
foreach (string word in words)
{
// Checking if the frequency is greater than 1
if (frequency[word] > 1)
{
// Return the word
return word;
}
}
// If no repeated word is found
return "No repeated word found";
}
static void Main()
{
string sentence = "Vikram had been saying that he had been there";
Console.WriteLine(FirstRepeatedWord(sentence));
}
}
// This code is contributed by shivamgupta0987654321
JavaScript
// JavaScript program to find the first repeated word in a string
function firstRepeatedWord(sentence) {
// splitting the string
let lis = sentence.split(" ");
// Calculating frequency of every word
let frequency = {};
for (let i = 0; i < lis.length; i++) {
let word = lis[i];
if (!frequency[word]) {
frequency[word] = 1;
} else {
frequency[word]++;
}
}
// Traversing the list of words
for (let i = 0; i < lis.length; i++) {
let word = lis[i];
// checking if frequency is greater than 1
if (frequency[word] > 1) {
// return the word
return word;
}
}
}
// Driver code
let sentence = "Vikram had been saying that he had been there";
console.log(firstRepeatedWord(sentence));
// This code is contributed by princekumaras
Another Approach:
Instead of tracking the counts for a specific token(word), we can keep track of the first occurrence of the token(word) using an unordered map. This would not require any extra loop to traverse in a hashmap or a string to find the repeated string. Thus, it eventually transforms the time complexity from O(2*n) to O(n) while the space complexity remains the same.
Implementation:
C++
// CPP program to find first repeated word in a string.
#include <bits/stdc++.h>
using namespace std;
void solve(string s)
{
int n = s.size(); // size of the string.
unordered_map<string, int>
mp; // To store first occurrence of a word.
string ans = "", t = "";
int min_idx = INT_MAX; // To get minimum occurrence in
// the given string.
int i = 0,
j = 0; // iterators. i -> initial index of a word
// j -> final index of a word.
// loop to traverse in a string and to find out each
// repeated word whose occurrence is minimum.
while (j <= n) {
// If found an entire word then check if it is
// repeated or not using unordered_map.
if (s[j] == ' ' || j == n) {
if (mp[t] == 0) { // Store the first occurrence
// of a word.
mp[t] = i + 1;
}
else { // If there is a Repetition then check
// for minimum occurrence of the word.
if (min_idx > mp[t]) {
min_idx = mp[t];
ans = t;
}
}
// Shift the pointers.
t = "";
i = j + 1;
j = i;
}
else {
t += s[j];
j++;
}
}
// If ans is of empty string then this signifies that
// there is no Repetition.
if (ans == "")
cout << "No Repetition" << endl;
else
cout << ans << endl;
}
int main()
{
string s1
= "Ravi had been saying that he had been there";
string s2 = "Ravi had been saying that";
string s3 = "he had had he";
solve(s1);
solve(s2);
solve(s3);
return 0;
}
Java
// Java program to find first repeated word in a string.
import java.io.*;
import java.util.*;
import java.util.*;
public class Main {
public static void solve(String s) {
int n = s.length(); // size of the string.
Map<String, Integer> mp = new HashMap<>(); // To store first occurrence of a word.
String ans = "", t = "";
int min_idx = Integer.MAX_VALUE; // To get minimum occurrence in the given string.
int i = 0, j = 0; // iterators. i -> initial index of a word, j -> final index of a word.
// loop to traverse in a string and to find out each
// repeated word whose occurrence is minimum.
while (j <= n) {
// If found an entire word then check if it is
// repeated or not using unordered_map.
if (j == n || s.charAt(j) == ' ') {
if (mp.getOrDefault(t, 0) == 0) { // Store the first occurrence of a word.
mp.put(t, i + 1);
}
else { // If there is a repetition then check for minimum occurrence of the word.
if (min_idx > mp.get(t)) {
min_idx = mp.get(t);
ans = t;
}
}
// Shift the pointers.
t = "";
i = j + 1;
j = i;
}
else {
t += s.charAt(j);
j++;
}
}
// If ans is an empty string then this signifies that
// there is no Repetition.
if (ans.equals(""))
System.out.println("No Repetition");
else
System.out.println(ans);
}
public static void main(String[] args) {
String s1 = "Ravi had been saying that he had been there";
String s2 = "Ravi had been saying that";
String s3 = "he had had he";
solve(s1);
solve(s2);
solve(s3);
}
}
// The code is contributed by Arushi Goel.
Python3
def find_first_repeated_word(s):
n = len(s) # Size of the string.
mp = {} # To store the first occurrence of a word.
ans = ""
t = ""
min_idx = float('inf') # To get the minimum occurrence in the given string.
i = 0
j = 0 # Iterators: i -> initial index of a word, j -> final index of a word.
# Loop to traverse the string and find each repeated word whose occurrence is minimum.
while j <= n:
# If found an entire word, then check if it is repeated or not using a dictionary.
if j == n or s[j] == ' ':
if t not in mp:
mp[t] = i + 1 # Store the first occurrence of a word.
else:
# If there is a repetition, then check for the minimum occurrence of the word.
if min_idx > mp[t]:
min_idx = mp[t]
ans = t
# Shift the pointers.
t = ""
i = j + 1
j = i
else:
t += s[j]
j += 1
# If ans is an empty string, it signifies that there is no repetition.
if ans == "":
print("No Repetition")
else:
print(ans)
# Test cases
s1 = "Ravi had been saying that he had been there"
s2 = "Ravi had been saying that"
s3 = "he had had he"
find_first_repeated_word(s1)
find_first_repeated_word(s2)
find_first_repeated_word(s3)
# This code is contributed by shivamgupta310570
C#
using System;
using System.Collections.Generic;
public class MainClass
{
public static void Solve(string s)
{
int n = s.Length; // size of the string.
Dictionary<string, int> mp = new Dictionary<string, int>(); // To store first occurrence of a word.
string ans = "", t = "";
int min_idx = int.MaxValue; // To get minimum occurrence in the given string.
int i = 0, j = 0; // iterators. i -> initial index of a word, j -> final index of a word.
// loop to traverse in a string and to find out each
// repeated word whose occurrence is minimum.
while (j <= n)
{
// If found an entire word then check if it is
// repeated or not using Dictionary.
if (j == n || s[j] == ' ')
{
if (!mp.ContainsKey(t))
{
mp[t] = i + 1; // Store the first occurrence of a word.
}
else
{
// If there is a repetition then check for minimum occurrence of the word.
if (min_idx > mp[t])
{
min_idx = mp[t];
ans = t;
}
}
// Shift the pointers.
t = "";
i = j + 1;
j = i;
}
else
{
t += s[j];
j++;
}
}
// If ans is an empty string then this signifies that
// there is no Repetition.
if (ans == "")
{
Console.WriteLine("No Repetition");
}
else
{
Console.WriteLine(ans);
}
}
public static void Main(string[] args)
{
string s1 = "Ravi had been saying that he had been there";
string s2 = "Ravi had been saying that";
string s3 = "he had had he";
Solve(s1);
Solve(s2);
Solve(s3);
}
}
JavaScript
// JS program to find first repeated word in a string.
function solve(s)
{
const n = s.length; // size of the string.
const mp = new Map(); // To store first occurrence of a word.
let ans = "", t = "";
let min_idx = Number.MAX_SAFE_INTEGER; // To get minimum occurrence in the given string.
let i = 0, j = 0; // iterators. i -> initial index of a word, j -> final index of a word.
// loop to traverse in a string and to
// find out each repeated word whose occurrence is minimum.
while (j <= n)
{
// If found an entire word then check if it is repeated or not using Map.
if (s[j] === ' ' || j === n) {
if (!mp.has(t)) { // Store the first occurrence of a word.
mp.set(t, i + 1);
}
else
{
// If there is a Repetition then
// check for minimum occurrence of the word.
if (min_idx > mp.get(t))
{
min_idx = mp.get(t);
ans = t;
}
}
// Shift the pointers.
t = "";
i = j + 1;
j = i;
} else {
t += s[j];
j++;
}
}
// If ans is of empty string then
// this signifies that there is no Repetition.
if (ans === "")
console.log("No Repetition");
else
console.log(ans);
}
const s1 = "Ravi had been saying that he had been there";
const s2 = "Ravi had been saying that";
const s3 = "he had had he";
solve(s1);
solve(s2);
solve(s3);
Outputhad
No Repetition
he
This article is contributed by Aarti_Rathi and Mandeep Singh.
Similar Reads
Basics & Prerequisites
Data Structures
Array Data StructureIn this article, we introduce array, implementation in different popular languages, its basic operations and commonly seen problems / interview questions. An array stores items (in case of C/C++ and Java Primitive Arrays) or their references (in case of Python, JS, Java Non-Primitive) at contiguous
3 min read
String in Data StructureA string is a sequence of characters. The following facts make string an interesting data structure.Small set of elements. Unlike normal array, strings typically have smaller set of items. For example, lowercase English alphabet has only 26 characters. ASCII has only 256 characters.Strings are immut
2 min read
Hashing in Data StructureHashing is a technique used in data structures that efficiently stores and retrieves data in a way that allows for quick access. Hashing involves mapping data to a specific index in a hash table (an array of items) using a hash function. It enables fast retrieval of information based on its key. The
2 min read
Linked List Data StructureA linked list is a fundamental data structure in computer science. It mainly allows efficient insertion and deletion operations compared to arrays. Like arrays, it is also used to implement other data structures like stack, queue and deque. Hereâs the comparison of Linked List vs Arrays Linked List:
2 min read
Stack Data StructureA Stack is a linear data structure that follows a particular order in which the operations are performed. The order may be LIFO(Last In First Out) or FILO(First In Last Out). LIFO implies that the element that is inserted last, comes out first and FILO implies that the element that is inserted first
2 min read
Queue Data StructureA Queue Data Structure is a fundamental concept in computer science used for storing and managing data in a specific order. It follows the principle of "First in, First out" (FIFO), where the first element added to the queue is the first one to be removed. It is used as a buffer in computer systems
2 min read
Tree Data StructureTree Data Structure is a non-linear data structure in which a collection of elements known as nodes are connected to each other via edges such that there exists exactly one path between any two nodes. Types of TreeBinary Tree : Every node has at most two childrenTernary Tree : Every node has at most
4 min read
Graph Data StructureGraph Data Structure is a collection of nodes connected by edges. It's used to represent relationships between different entities. If you are looking for topic-wise list of problems on different topics like DFS, BFS, Topological Sort, Shortest Path, etc., please refer to Graph Algorithms. Basics of
3 min read
Trie Data StructureThe Trie data structure is a tree-like structure used for storing a dynamic set of strings. It allows for efficient retrieval and storage of keys, making it highly effective in handling large datasets. Trie supports operations such as insertion, search, deletion of keys, and prefix searches. In this
15+ min read
Algorithms
Searching AlgorithmsSearching algorithms are essential tools in computer science used to locate specific items within a collection of data. In this tutorial, we are mainly going to focus upon searching in an array. When we search an item in an array, there are two most common algorithms used based on the type of input
2 min read
Sorting AlgorithmsA Sorting Algorithm is used to rearrange a given array or list of elements in an order. For example, a given array [10, 20, 5, 2] becomes [2, 5, 10, 20] after sorting in increasing order and becomes [20, 10, 5, 2] after sorting in decreasing order. There exist different sorting algorithms for differ
3 min read
Introduction to RecursionThe process in which a function calls itself directly or indirectly is called recursion and the corresponding function is called a recursive function. A recursive algorithm takes one step toward solution and then recursively call itself to further move. The algorithm stops once we reach the solution
14 min read
Greedy AlgorithmsGreedy algorithms are a class of algorithms that make locally optimal choices at each step with the hope of finding a global optimum solution. At every step of the algorithm, we make a choice that looks the best at the moment. To make the choice, we sometimes sort the array so that we can always get
3 min read
Graph AlgorithmsGraph is a non-linear data structure like tree data structure. The limitation of tree is, it can only represent hierarchical data. For situations where nodes or vertices are randomly connected with each other other, we use Graph. Example situations where we use graph data structure are, a social net
3 min read
Dynamic Programming or DPDynamic Programming is an algorithmic technique with the following properties.It is mainly an optimization over plain recursion. Wherever we see a recursive solution that has repeated calls for the same inputs, we can optimize it using Dynamic Programming. The idea is to simply store the results of
3 min read
Bitwise AlgorithmsBitwise algorithms in Data Structures and Algorithms (DSA) involve manipulating individual bits of binary representations of numbers to perform operations efficiently. These algorithms utilize bitwise operators like AND, OR, XOR, NOT, Left Shift, and Right Shift.BasicsIntroduction to Bitwise Algorit
4 min read
Advanced
Segment TreeSegment Tree is a data structure that allows efficient querying and updating of intervals or segments of an array. It is particularly useful for problems involving range queries, such as finding the sum, minimum, maximum, or any other operation over a specific range of elements in an array. The tree
3 min read
Pattern SearchingPattern searching algorithms are essential tools in computer science and data processing. These algorithms are designed to efficiently find a particular pattern within a larger set of data. Patten SearchingImportant Pattern Searching Algorithms:Naive String Matching : A Simple Algorithm that works i
2 min read
GeometryGeometry is a branch of mathematics that studies the properties, measurements, and relationships of points, lines, angles, surfaces, and solids. From basic lines and angles to complex structures, it helps us understand the world around us.Geometry for Students and BeginnersThis section covers key br
2 min read
Interview Preparation
Practice Problem