Substring of length K having maximum frequency in the given string
Last Updated :
15 Jul, 2025
Given a string str, the task is to find the substring of length K which occurs the maximum number of times. If more than one string occurs maximum number of times, then print the lexicographically smallest substring.
Examples:
Input: str = "bbbbbaaaaabbabababa", K = 5
Output: ababa
Explanation:
The substrings of length 5 from the above strings are {bbbbb, bbbba, bbbaa, bbaaa, baaaa, aaaaa, aaaab, aaabb, aabba, abbab, bbaba, babab, ababa, babab, ababa}.
Among all of them, substrings {ababa, babab} occurs the maximum number of times(= 2).
The lexicographically smallest string from {ababa, babab} is ababa.
Therefore, "ababa" is the required answer.
Input: str = "heisagoodboy", K = 5
Output: agood
Explanation:
The substrings of length 5 from the above string are {heisa, eisag, isago, sagoo, agood, goodb, oodbo, odboy}.
All of them occur only once. But the lexicographically smallest string among them is "agood".
Therefore, "agood" is the required answer.
Naive Approach: The simplest approach to solve the problem is to generate all the substrings of size K from the given string and store the frequency of each substring in a Map. Then, traverse the Map and find the lexicographically smallest substring which occurs maximum number of times and print it.
C++
// C++ implementation to find
// the maximum occurring character in
// an input string which is lexicographically first
#include <bits/stdc++.h>
using namespace std;
// function to find the maximum occurring character in
// an input string which is lexicographically first
string maximumOccurringString(string str, int k)
{
// store current string
string curr= "";
int i=0, j=0, n=str.length();
// to store all substring and there number of occurrences
// also use map because it stores all strings in lexographical order
map<string,int>mp;
// sliding window approach to generate all substring
while(j<n){
curr+=str[j];
// window size less then k so increase only 'j'
if(j-i+1 < k){
j++;
}
// window size is equal to k
// put current string into map and slide the window
// by incrementing 'i' and 'j' to generate all substring
else if(j-i+1 == k){
mp[curr]++;
curr.erase(0, 1);
i++;
j++;
}
}
// to count the maximum occurring string
int cnt=-1;
// to store the maximum occurring string
string ans;
for(auto x : mp){
int c = x.second;
if(c > cnt){
ans = x.first;
cnt =c;
}
}
// return the maximum occurring string
return ans;
}
// Driver Code
int main()
{
// Given string
string str = "bbbbbaaaaabbabababa";
// Given K size of substring
int k = 5;
// Function Call
cout << maximumOccurringString(str, k);
return 0;
}
//this code is contributed by bhardwajji
Java
import java.util.*;
public class Main {
// function to find the maximum occurring character in
// an input string which is lexicographically first
static String maximumOccurringString(String str, int k) {
// store current string
String curr = "";
int i = 0, j = 0, n = str.length();
// to store all substring and there number of occurrences
// also use TreeMap because it stores all strings in lexicographical order
TreeMap<String, Integer> mp = new TreeMap<>();
// sliding window approach to generate all substring
while (j < n) {
curr += str.charAt(j);
// window size less then k so increase only 'j'
if (j - i + 1 < k) {
j++;
}
// window size is equal to k
// put current string into map and slide the window
// by incrementing 'i' and 'j' to generate all substring
else if (j - i + 1 == k) {
mp.put(curr, mp.getOrDefault(curr, 0) + 1);
curr = curr.substring(1);
i++;
j++;
}
}
// to count the maximum occurring string
int cnt = -1;
// to store the maximum occurring string
String ans = "";
for (Map.Entry<String, Integer> x : mp.entrySet()) {
int c = x.getValue();
if (c > cnt) {
ans = x.getKey();
cnt = c;
}
}
// return the maximum occurring string
return ans;
}
// Driver Code
public static void main(String[] args) {
// Given string
String str = "bbbbbaaaaabbabababa";
// Given K size of substring
int k = 5;
// Function Call
System.out.println(maximumOccurringString(str, k));
}
}
Python3
# Python3 implementation to find
#the maximum occurring character in
#an input string which is lexicographically first
# function to find the maximum occurring character in
# an input string which is lexicographically first
def maximum_occuring_string(string, k):
# store current string
curr = ""
n = len(string)
i = j = 0
# to store all substring and there number of occurrences
# also use map because it stores all strings in lexographical order
mp = {}
# sliding window approach to generate all substring
while j < n:
curr += string[j]
# window size less then k so increase only 'j'
if j - i + 1 < k:
j += 1
# window size is equal to k
# put current string into map and slide the window
# by incrementing 'i' and 'j' to generate all substring
elif j - i + 1 == k:
if curr in mp:
mp[curr] += 1
else:
mp[curr] = 1
curr = curr[1:]
i += 1
j += 1
#o count the maximum occurring string
cnt = -1
ans = ""
for x in mp:
c = mp[x]
if c > cnt or (c == cnt and x < ans):
ans = x
cnt = c
return ans
# Driver code
string = "bbbbbaaaaabbabababa"
k = 5
print(maximum_occuring_string(string, k))
C#
using System;
using System.Collections.Generic;
class Program
{
// function to find the maximum occurring character in
// an input string which is lexicographically first
static string MaximumOccurringString(string str, int k)
{
// store current string
string curr = "";
int i = 0, j = 0, n = str.Length;
// to store all substring and there number of occurrences
// also use SortedDictionary because it stores all strings in lexographical order
SortedDictionary<string, int> mp = new SortedDictionary<string, int>();
// sliding window approach to generate all substring
while (j < n)
{
curr += str[j];
// window size less then k so increase only 'j'
if (j - i + 1 < k)
{
j++;
}
// window size is equal to k
// put current string into map and slide the window
// by incrementing 'i' and 'j' to generate all substring
else if (j - i + 1 == k)
{
if (mp.ContainsKey(curr))
{
mp[curr]++;
}
else
{
mp.Add(curr, 1);
}
curr = curr.Substring(1);
i++;
j++;
}
}
// to count the maximum occurring string
int cnt = -1;
// to store the maximum occurring string
string ans = "";
foreach (var x in mp)
{
int c = x.Value;
if (c > cnt)
{
ans = x.Key;
cnt = c;
}
}
// return the maximum occurring string
return ans;
}
// Driver Code
static void Main()
{
// Given string
string str = "bbbbbaaaaabbabababa";
// Given K size of substring
int k = 5;
// Function Call
Console.WriteLine(MaximumOccurringString(str, k));
}
}
JavaScript
// function to find the maximum occurring character in
// an input string which is lexicographically first
function MaximumOccurringString(str, k) {
// store current string
let curr = "";
let i = 0, j = 0, n = str.length;
// to store all substring and there number of occurrences
// also use Map because it stores all strings in lexographical order
let mp = new Map();
// sliding window approach to generate all substring
while (j < n) {
curr += str[j];
// window size less then k so increase only 'j'
if (j - i + 1 < k) {
j++;
}
// window size is equal to k
// put current string into map and slide the window
// by incrementing 'i' and 'j' to generate all substring
else if (j - i + 1 == k) {
if (mp.has(curr)) {
mp.set(curr, mp.get(curr) + 1);
}
else {
mp.set(curr, 1);
}
curr = curr.substring(1);
i++;
j++;
}
}
// to count the maximum occurring string
let cnt = -1;
// to store the maximum occurring string
let ans = "";
let keys = Array.from(mp.keys())
keys.sort()
//console.log(keys)
for (let key of keys) {
let c = mp.get(key);
if (c > cnt) {
ans = key;
cnt = c;
}
}
// return the maximum occurring string
return ans;
}
// Given string
let str = "bbbbbaaaaabbabababa";
// Given K size of substring
let k = 5;
// Function Call
console.log(MaximumOccurringString(str, k));
Time Complexity: O(N*( K + log K))
Auxiliary Space: O(N * K)
Efficient Approach: To optimize the above approach, the idea is to use Sliding Window technique. Consider a window of size
K to generate all substrings of length K and count the frequency of a substring generated in a Map. Traverse the map and find the substring that occurs maximum number of times and print it. If several of them exist, then print the lexicographically smallest substring.
Below is the implementation of the above approach.
C++
// C++ program for the above approach
#include <bits/stdc++.h>
using ll = long long int;
using namespace std;
// Function that generates substring
// of length K that occurs maximum times
void maximumOccurringString(string s, ll K)
{
// Store the frequency of substrings
map<deque<char>, ll> M;
ll i;
// Deque to maintain substrings
// window size K
deque<char> D;
for (i = 0; i < K; i++) {
D.push_back(s[i]);
}
// Update the frequency of the
// first substring in the Map
M[D]++;
// Remove the first character of
// the previous K length substring
D.pop_front();
// Traverse the string
for (ll j = i; j < s.size(); j++) {
// Insert the current character
// as last character of
// current substring
D.push_back(s[j]);
M[D]++;
// Pop the first character of
// previous K length substring
D.pop_front();
}
ll maxi = INT_MIN;
deque<char> ans;
// Find the substring that occurs
// maximum number of times
for (auto it : M) {
if (it.second > maxi) {
maxi = it.second;
ans = it.first;
}
}
// Print the substring
for (ll i = 0; i < ans.size(); i++) {
cout << ans[i];
}
}
// Driver Code
int main()
{
// Given string
string s = "bbbbbaaaaabbabababa";
// Given K size of substring
ll K = 5;
// Function Call
maximumOccurringString(s, K);
return 0;
}
Java
import java.util.*;
public class Main {
// Function that generates substring
// of length K that occurs maximum times
public static void maximumOccurringString(String s,
int K)
{
// Store the frequency of substrings
Map<String, Integer> M = new HashMap<>();
// Deque to maintain substrings
// window size K
Deque<Character> D = new LinkedList<>();
for (int i = 0; i < K; i++) {
D.addLast(s.charAt(i));
}
// Update the frequency of the
// first substring in the Map
M.put(D.toString(),
M.getOrDefault(D.toString(), 0) + 1);
// Remove the first character of
// the previous K length substring
D.removeFirst();
// Traverse the string
for (int j = K; j < s.length(); j++) {
// Insert the current character
// as last character of
// current substring
D.addLast(s.charAt(j));
M.put(D.toString(),
M.getOrDefault(D.toString(), 0) + 1);
// Pop the first character of
// previous K length substring
D.removeFirst();
}
int maxi = Integer.MIN_VALUE;
String ans = "";
// Find the substring that occurs
// maximum number of times
for (String it : M.keySet()) {
if (M.get(it) > maxi) {
maxi = M.get(it);
ans = it;
}
}
// Print the substring
for (int i = 0; i < ans.length(); i++) {
char c = ans.charAt(i);
if (Character.isAlphabetic(c)) {
System.out.print(c);
}
}
}
// Driver Code
public static void main(String[] args)
{
// Given string
String s = "bbbbbaaaaabbabababa";
// Given K size of substring
int K = 5;
// Function call
maximumOccurringString(s, K);
}
}
Python3
# Python3 program for the above approach
from collections import deque, Counter, defaultdict
import sys
# Function that generates substring
# of length K that occurs maximum times
def maximumOccurringString(s, K):
# Store the frequency of substrings
M = {}
# Deque to maintain substrings
# window size K
D = deque()
for i in range(K):
D.append(s[i])
# Update the frequency of the
# first substring in the Map
# E="".join(list(D
M[str("".join(list(D)))] = M.get(
str("".join(list(D))), 0) + 1
# Remove the first character of
# the previous K length substring
D.popleft()
# Traverse the string
for j in range(i, len(s)):
# Insert the current character
# as last character of
# current substring
D.append(s[j])
M[str("".join(list(D)))] = M.get(
str("".join(list(D))), 0) + 1
# Pop the first character of
# previous K length substring
D.popleft()
maxi = -sys.maxsize - 1
ans = deque()
# Find the substring that occurs
# maximum number of times
# print(M)
for it in M:
# print(it[0])
if (M[it] >= maxi):
maxi = M[it]
# print(maxi)
ans = it
# Print the substring
for i in range(len(ans)):
print(ans[i], end = "")
# Driver Code
if __name__ == '__main__':
# Given string
s = "bbbbbaaaaabbabababa"
# Given K size of substring
K = 5
# Function call
maximumOccurringString(s, K)
# This code is contributed by mohit kumar 29
C#
using System;
using System.Collections.Generic;
namespace MaximumOccurringSubstring
{
class Program
{
// Function that generates substring
// of length K that occurs maximum times
static void maximumOccurringString(string s, long K)
{
// Store the frequency of substrings
Dictionary<Queue<char>, long> M = new Dictionary<Queue<char>, long>();
long i;
// Queue to maintain substrings
// window size K
Queue<char> D = new Queue<char>();
for (i = 0; i < K; i++)
{
D.Enqueue(s[(int)i]);
}
// Update the frequency of the
// first substring in the Dictionary
M[D] = M.ContainsKey(D) ? M[D] + 1 : 1;
// Remove the first character of
// the previous K length substring
D.Dequeue();
// Traverse the string
for (long j = i; j < s.Length; j++)
{
// Enqueue the current character
// as the last character of
// the current substring
D.Enqueue(s[(int)j]);
M[D] = M.ContainsKey(D) ? M[D] + 1 : 1;
// Dequeue the first character of
// previous K length substring
D.Dequeue();
}
long maxi = int.MinValue;
Queue<char> ans = new Queue<char>();
// Find the substring that occurs
// maximum number of times
foreach (var kvp in M)
{
if (kvp.Value > maxi)
{
maxi = kvp.Value;
ans = kvp.Key;
}
}
// Print the substring
Console.Write('a');
foreach (var c in ans)
{
Console.Write(c);
}
}
// Driver Code
static void Main(string[] args)
{
// Given string
string s = "bbbbbaaaaabbabababa";
// Given K size of substring
long K = 5;
// Function call
maximumOccurringString(s, K);
}
}
}
JavaScript
// JavaScript program for the above approach
function maximumOccurringString(s, K) {
// Store the frequency of substrings
let M = {};
// Deque to maintain substrings
// window size K
let D = [];
for (let i = 0; i < K; i++) {
D.push(s[i]);
}
// Update the frequency of the
// first substring in the Map
// E="".join(list(D
M[D.join('')] = M[D.join('')] ? M[D.join('')] + 1 : 1;
// Remove the first character of
// the previous K length substring
D.shift();
// Traverse the string
for (let j = K; j < s.length; j++) {
// Insert the current character
// as last character of
// current substring
D.push(s[j]);
M[D.join('')] = M[D.join('')] ? M[D.join('')] + 1 : 1;
// Pop the first character of
// previous K length substring
D.shift();
}
let maxi = -Infinity;
let ans = [];
// Find the substring that occurs
// maximum number of times
for (let it in M) {
if (M[it] >= maxi) {
maxi = M[it];
ans = it.split('');
}
}
// Print the substring
console.log(ans.join(''));
}
// Driver Code
let s = "bbbbbaaaaabbabababa";
let K = 5;
// Function call
maximumOccurringString(s, K);
Time Complexity: O((N - K)*log(N - K))
Auxiliary Space: O(N - K)
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