KEMBAR78
String Based Codes | PDF | String (Computer Science) | Computer Programming
0% found this document useful (0 votes)
135 views24 pages

String Based Codes

Codes for practice on strings

Uploaded by

Anukampa Behera
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)
135 views24 pages

String Based Codes

Codes for practice on strings

Uploaded by

Anukampa Behera
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/ 24

STRINGS

1. Check if given strings are rotations of each other or not


Given a string s1 and a string s2, write a function to check whether s2 is a rotation of s1.
Example:
Input: S1 = ABCD, S2 = CDAB
Output: Strings are rotations of each other

Input: S1 = ABCD, S2 = ACBD


Output: Strings are not rotations of each other
Solution:
// Java program to check if two given strings are rotations of each other
class StringRotation {
/* Function checks if passed strings (str1 and str2) are rotations of each other */
static boolean areRotations(String str1, String str2)
{
/* There lengths must be same and str2 must be a substring of str1 concatenated with str1*/
return (str1.length() == str2.length()) && ((str1 + str1).indexOf(str2) != -1);
}
public static void main(String[] args)
{
String str1 = "AACD";
String str2 = "ACDA";

// Fuinction call
if (areRotations(str1, str2))
System.out.println("Strings are rotations of each other");
else
System.out.printf("Strings are not rotations of each other");
}
}
2. Java Program to Check if a string is a valid shuffle of two distinct strings
Given a string s1 and a string s2, write a function to check whether s2 is a rotation of s1.

import java.util.Arrays;
class Test {
// length of result string should be equal to sum of two strings
static boolean checkLength(String first, String second, String result) {
if (first.length() + second.length() != result.length()) {
return false;
}
else {
return true;
}
}
// this method converts the string to char array
//sorts the char array convert the char array to string and return it
static String sortString(String str) {
char[] charArray = str.toCharArray();
Arrays.sort(charArray);

// convert char array back to string


str = String.valueOf(charArray);

return str;
}

// this method compares each character of the result with


// individual characters of the first and second string
static boolean shuffleCheck(String first, String second, String result) {

// sort each string to make comparison easier


first = sortString(first);
second = sortString(second);
result = sortString(result);

// variables to track each character of 3 strings


int i = 0, j = 0, k = 0;

// iterate through all characters of result


while (k != result.length()) {
// check if first character of result matches with first character of first string
if (i < first.length() && first.charAt(i) == result.charAt(k))
i++;
// check if first character of result matches with the first character of second string
else if (j < second.length() && second.charAt(j) == result.charAt(k))
j++;

// if the character doesn't match


else {
return false;
}

// access next character of result


k++;
}
// after accessing all characters of result
// if either first or second has some characters left
if(i < first.length() || j < second.length()) {
return false;
}
return true;
}
public static void main(String[] args) {

String first = "XY";


String second = "12";
String[] results = {"1XY2", "Y1X2", "Y21XX"};

// call the method to check if result string is shuffle of the string first and second
for (String result : results) {
if (checkLength(first, second, result) == true && shuffleCheck(first, second, result) == true) {
System.out.println(result + " is a valid shuffle of " + first + " and " + second);
}
else {
System.out.println(result + " is not a valid shuffle of " + first + " and " + second);
}
}
}
}
3. Longest Palindrome in a String
[ Zoho / Accolite / Amazon / Microsoft / Samsung / MakeMyTrip / Visa / Walmart /
Google / Qualcomm / Groupon]
Given a string s1 and a string s2, write Given a string S, find the longest palindromic substring in S. Substring
of string S: S[ i . . . . j ] where 0 ≤ i ≤ j < len(S). Palindrome string: A string which reads the same backwards.
More formally, S is palindrome if reverse(S) = S. In case of conflict, return the substring which occurs first
(with the least starting index).
Example 1:
Input:
S = "aaaabbaa"
Output: aabbaa
Explanation: The longest Palindromic substring is "aabbaa".
Example 2:
Input:
S = "abc"
Output: a
Explanation: "a", "b" and "c" are the longest palindromes with same length. The result is the one with the
least starting index.
Your Task:
You don't need to read input or print anything. Your task is to complete the function longestPalin() which
takes the string S as input and returns the longest palindromic substring of S.

Expected Time Complexity: O(|S|2).


Expected Auxiliary Space: O(1).

Constraints:
1 ≤ |S| ≤ 103
Solution
class Solution {
public:
string longestPalin (string S)
{
int fi = 0, fj = 0, j, k, n = S.length ();

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


{
// odd length palindrome with current index as center
j = i - 1;
k = i + 1;
while (j >= 0 and k < n)
{
if (S[j] != S[k])
break;
j--;
k++;
}
if (k - j - 1 > fj - fi + 1)
{
fi = j + 1;
fj = k - 1;
}
// even length palindrome if possible
if (i < n - 1 and S[i] == S[i + 1])
{
j = i - 1;
k = i + 2;
while (j >= 0 and k < n)
{
if (S[j] != S[k])
break;
j--;
k++;
}
if (k - j - 1 > fj - fi + 1)
{
fi = j + 1;
fj = k - 1;
}
}
}
return S.substr (fi, fj - fi + 1);
}
};
4. Rearrange characters in a string such that no two adjacent are same
[Amazon / Microsoft]
Given a string s, rearrange the characters of s so that any two adjacent characters are not
the same.
Return any possible rearrangement of s or return "" if not possible.
Example 1:
Input: s = "aab"
Output: "aba"
Example 2:
Input: s = "aaab"
Output: ""
Constraints:
1 <= s.length <= 500
s consists of lowercase English letters.
Given a string s1 and a string s2, write a function to check whether s2 is a rotation of s1.

Solution
Input − string str = "itinn"
Output − Rearrangement of characters in a string such that no two adjacent are same is:
initn.
Explanation − We are given a string type variable let’s say, str. Now we will rearrange the
characters of an input string in such a manner that no two same characters occur at the
same position i.e. shifting ‘nn’ because they are the same and adjacent to each other. So
the final string will be ‘initn’.
Input − string str = "abbaabbaa"
Output − Rearrangement of characters in a string such that no two adjacent are same is:
ababababa
Explanation − We are given a string type variable let’s say, str. Now we will rearrange the
characters of an input string in such a manner that no two same characters occur at the
same position i.e. shifting ‘bb’, ‘aa’, ‘bb’, ‘aa’ because they are the same and adjacent to
each other. So the final string will be ‘ababababa’.
Approach used in the below program is as follows
 Input a variable of string type, let’s say, str and calculate the size of a string and
store it in a length named variable.
 Check IF length is 0 then return.
 Pass the data to the function Rearrangement(str, length).
 Inside the function Rearrangement(arr, length)
o Set size of a string with (length + 1)/2.
o Declare a vector type variable as vec(26, 0) that will store the integer type
data and a ptr of string type as ptr(length, ‘ ‘). A temporary variable of type
integer as 0.
o Start loop FOR to iterate str through it. Inside the loop, set vec[it - ‘a’]++.
o Create a character type variable as ch and set it with a call to the
maximum(vec) function.
o Declare an integer type variable as total and set it with vec[ch - ‘a’].
o Check IF total greater than size then return.
o Start loop WHILE total then set ptr[temp] to ch, set temp to temp + 2 and
decrement the total by 1.
o Set vec[ch - 'a'] to 0. Start loop FOR from i to 0 till i less than 26. Inside the
loop, start while vec[i] is greater than 0. Set temp to (temp >= length) ? 1 :
temp and ptr[temp] to 'a' + i and temp to temp + 2 and decrement the
vec[i] by 1.
o Return ptr

 Inside the function char maximum(const vector<int>& vec)


o Declare an integer type variable as high to 0 and character type variable as
‘c’
o Start loop FOR from i to 0 till i less than 26. Inside the loop, check IF vec[i]
is less than high then set high to vec[i] and c to 'a' + i.
o Return c
o Print the result.

Code in Java
class KeyComparator implements Comparator<Key> {

// Overriding compare()method of Comparator


public int compare(Key k1, Key k2)
{
if (k1.freq < k2.freq)
return 1;
else if (k1.freq > k2.freq)
return -1;
return 0;
}
}

class Key {
int freq; // store frequency of character
char ch;
Key(int val, char c)
{
freq = val;
ch = c;
}
}

class Solution
{
static int MAX_CHAR = 26;

// Function to rearrange character of a string


// so that no char repeat twice
static String rearrangeCharacters(String str)
{
int n = str.length();

// Store frequencies of all characters in string


int[] count = new int[MAX_CHAR];

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


count[str.charAt(i) - 'a']++;

// Insert all characters with their frequencies


// into a priority_queue
PriorityQueue<Key> pq = new PriorityQueue<>(new

KeyComparator());
for (char c = 'a'; c <= 'z'; c++) {
int val = c - 'a';
if (count[val] > 0)
pq.add(new Key(count[val], c));
}

// 'str' that will store resultant value


str = "" ;

// work as the previous visited element


// initial previous element be. ( '#' and
// it's frequency '-1' )
Key prev = new Key(-1, '#');

// traverse queue
while (pq.size() != 0) {

// pop top element from queue and add it


// to string.
Key k = pq.peek();
pq.poll();
str = str + k.ch;

// If frequency of previous character is less


// than zero that means it is useless, we
// need not to push it
if (prev.freq > 0)
pq.add(prev);

// make current character as the previous 'char'


// decrease frequency by 'one'
(k.freq)--;
prev = k;
}

// If length of the resultant string and original


// string is not same then string is not valid
if (n != str.length())
return "-1";
else
return str;
}
}
5. Program to generate all possible valid IP addresses from given string
Given a string containing only digits, restore it by returning all possible valid IP address combinations.
A valid IP address must be in the form of A.B.C.D, where A, B, C, and D are numbers from 0-255. The
numbers cannot be 0 prefixed unless they are 0.
Examples:

Input: 25525511135
Output: [“255.255.11.135”, “255.255.111.35”]
Explanation:
These are the only valid possible
IP addresses.

Input: "25505011535"
Output: []
Explanation:
We cannot generate a valid IP
address with this string.

First, we will place 3 dots in the given string and then try out all the possible combinations for the 3 dots.
Corner case for validity:

For string "25011255255"


25.011.255.255 is not valid as 011 is not valid.
25.11.255.255 is not valid either as you are not
allowed to change the string.
250.11.255.255 is valid.

Approach: Split the string with ‘ . ‘ and then check for all corner cases. Before entering the loop, check the
size of the string. Generate all the possible combinations using looping through the string. If IP is found to
be valid then return the IP address, else simply return the empty list.

// Java Program to generate all possible


// valid IP addresses from given string
import java.util.*;

class TEST{

// Function to restore Ip Addresses


public static ArrayList<String>
restoreIpAddresses(String A)
{
if (A.length() < 3 || A.length() > 12)
return new ArrayList<>();
return convert(A);
}

private static ArrayList<String>


convert(String s)
{
ArrayList<String> l = new ArrayList<>();
int size = s.length();

String snew = s;

for (int i = 1; i < size - 2;


i++) {
for (int j = i + 1;
j < size - 1; j++) {
for (int k = j + 1;
k < size; k++) {
snew
= snew.substring(0, k) + "."
+ snew.substring(k);
snew
= snew.substring(0, j) + "."
+ snew.substring(j);
snew
= snew.substring(0, i) + "."
+ snew.substring(i);

if (isValid(snew)) {
l.add(snew);
}
snew = s;
}
}
}

Collections.sort(l, new Comparator<String>() {


public int compare(String o1, String o2)
{
String a1[] = o1.split("[.]");
String a2[] = o2.split("[.]");

int result = -1;


for (int i = 0; i < 4
&& result != 0;
i++) {
result = a1[i].compareTo(a2[i]);
}
return result;
}
});
return l;
}
private static boolean isValid(String ip)
{
String a[] = ip.split("[.]");
for (String s : a) {
int i = Integer.parseInt(s);
if (s.length() > 3 || i < 0 || i > 255) {
return false;
}
if (s.length() > 1 && i == 0)
return false;
if (s.length() > 1 && i != 0
&& s.charAt(0) == '0')
return false;
}

return true;
}

// Driver Code
public static void main(String[] args)
{
System.out.println(
restoreIpAddresses(
"25525511135")
.toString());
}
}

6. Print all subsequences of a string


Given a string, we have to find out all its subsequences of it. A String is a subsequence of a given String,
that is generated by deleting some character of a given string without changing its order.

Examples:
Input: abc
Output: a, b, c, ab, bc, ac, abc

Input: aaa
Output: a, a, a, aa, aa, aa, aaa
// Java program for the above approach
import java.util.*;
class TEST {

// Declare a global list


static List<String> al = new ArrayList<>();

// Creating a public static Arraylist such that


// we can store values
// IF there is any question of returning the
// we can directly return too// public static
// ArrayList<String> al = new ArrayList<String>();
public static void main(String[] args)
{
String s = "abcd";
findsubsequences(s, ""); // Calling a function
System.out.println(al);
}

private static void findsubsequences(String s, String ans)


{
if (s.length() == 0) {
al.add(ans);
return;
}
// We add adding 1st character in string
findsubsequences(s.substring(1), ans + s.charAt(0));

// Not adding first character of the string


// because the concept of subsequence either
// character will present or not
findsubsequences(s.substring(1), ans);
}
}
7. Split the binary string into substrings with equal number of 0s and 1s

Given a binary string str of length N, the task is to find the maximum count of consecutive substrings str
can be divided into such that all the substrings are balanced i.e. they have equal number of 0s and 1s. If
it is not possible to split str satisfying the conditions, then print -1.
Example:
Input: str = “0100110101”
Output: 4

The required substrings are “01”, “0011”, “01” and “01”.


Input: str = “0111100010”
Output: 3

Input: str = “0000000000”


Output: -1
Approach: Initialize count = 0 and traverse the string character by character and keep track of the
number of 0s and 1s so far, whenever the count of 0s and 1s become equal increment the count. As in
the given question, if it is not possible to split string then on that time count of 0s must not be equal to
count of 1s then return -1 else print the value of count after the traversal of the complete string.
Below is the implementation of the above approach:
// Java implementation of the above approach
class TEST
{
// Function to return the count of maximum substrings str can be divided into
static int maxSubStr(String str, int n)
{
// To store the count of 0s and 1s
int count0 = 0, count1 = 0;

// To store the count of maximum substrings str can be divided into


int cnt = 0;
for (int i = 0; i < n; i++)
{
if (str.charAt(i) == '0')
{
count0++;
}
else
{
count1++;
}
if (count0 == count1)
{
cnt++;
}
}
// It is not possible to split the string
if (count0 != count1)
{
return -1;
}
return cnt;
}
public static void main(String []args)
{
String str = "0100110101";
int n = str.length();

System.out.println(maxSubStr(str, n));
}
}
8. Word Wrap
[ Flipkart / Microsoft ]
Given an array nums[] of size n, where nums[i] denotes the number of characters in one word. Let K be

the limit on the number of characters that can be put in one line (line width). Put line breaks in the

given sequence such that the lines are printed neatly.

Assume that the length of each word is smaller than the line width. When line breaks are inserted there

is a possibility that extra spaces are present in each line. The extra spaces include spaces put at the end

of every line except the last one.

You have to minimize the following total cost where total cost = Sum of cost of all lines, where cost of

line is = (Number of extra spaces in the line)2.


Example 1:

Input: nums = {3,2,2,5}, k = 6

Output: 10

Explanation: Given a line can have 6

characters,

Line number 1: From word no. 1 to 1

Line number 2: From word no. 2 to 3

Line number 3: From word no. 4 to 4

So total cost = (6-3)2 + (6-2-2-1)2 = 32+12 = 10.

As in the first line word length = 3 thus

extra spaces = 6 - 3 = 3 and in the second line

there are two word of length 2 and there already

1 space between two word thus extra spaces

= 6 - 2 -2 -1 = 1. As mentioned in the problem

description there will be no extra spaces in

the last line. Placing first and second word

in first line and third word on second line

would take a cost of 02 + 42 = 16 (zero spaces

on first line and 6-2 = 4 spaces on second),

which isn't the minimum possible cost.

Example 2:

Input: nums = {3,2,2}, k = 4

Output: 5

Explanation: Given a line can have 4

characters,

Line number 1: From word no. 1 to 1

Line number 2: From word no. 2 to 2

Line number 3: From word no. 3 to 3


Same explaination as above total cost

= (4 - 3)2 + (4 - 2)2 = 5.

Your Task:

You don't need to read or print anyhting. Your task is to complete the function solveWordWrap() which takes

nums and k as input paramater and returns the minimized total cost.

Expected Time Complexity: O(n2)

Expected Space Complexity: O(n)

Constraints:

1 ≤ n ≤ 500

1 ≤ nums[i] ≤ 1000

max(nums[i]) ≤ k ≤ 2000

class Solution
{
public int solveWordWrap (int[] nums, int k)
{
// Code here
int n = nums.length;
int i, j;

// Variable to store
// number of characters
// in given line.
int currlen;

// Variable to store
// possible minimum
// cost of line.
int cost;

// DP table in which
// dp[i] represents
// cost of line starting
// with word arr[i].
int dp[] = new int[n];

// Array in which ans[i]


// store index of last
// word in line starting
// with word arr[i].
int ans[] = new int[n];

// If only one word is present


// then only one line is required.
// Cost of last line is zero.
// Hence cost of this line is zero.
// Ending point is also n-1 as
// single word is present.
dp[n - 1] = 0;
ans[n - 1] = n - 1;

// Make each word first


// word of line by iterating
// over each index in arr.
for (i = n - 2; i >= 0; i--)
{
currlen = -1;
dp[i] = Integer.MAX_VALUE;

// Keep on adding words in


// current line by iterating
// from starting word upto
// last word in arr.
for (j = i; j < n; j++)
{

// Update number of characters


// in current line. arr[j] is
// number of characters in
// current word and 1
// represents space character
// between two words.
currlen += (nums[j] + 1);

// If limit of characters
// is violated then no more
// words can be added to
// current line.
if (currlen > k)
break;

// If current word that is


// added to line is last
// word of arr then current
// line is last line. Cost of
// last line is 0. Else cost
// is square of extra spaces
// plus cost of putting line
// breaks in rest of words
// from j+1 to n-1.
if (j == n - 1)
cost = 0;
else
cost = (k - currlen) *
(k - currlen) +
dp[j + 1];

// Check if this arrangement


// gives minimum cost for
// line starting with word
// arr[i].
if (cost < dp[i])
{
dp[i] = cost;
ans[i] = j;
}
}
}
int res = 0;
i = 0;
while (i < n) {
int pos = 0;
for (j = i; j < ans[i] + 1; j++) {
pos += nums[j];
}
int x = ans[i]-i;
if(ans[i]+1 != n)
res += (k - x - pos)*(k - x - pos);
i = ans[i] + 1;
}
return res;
}
}

9. Edit Distance
[ Amazon / Microsoft / Goldman Sachs / Google]
Given two strings s and t. Return the minimum number of operations required to convert s to t.

The possible operations are permitted:

1. Insert a character at any position of the string.

2. Remove any character from the string.

3. Replace any character from the string with any other character.

Example 1:

Input:

s = "teek", t = "tesek"

Output: 1

Explanation: One operation is required

inserting 's' between two 'e's of s.

Example 2:

Input :

s = "aba", t = "aba"

Output:

Explanation: Both strings are same.


Your Task:

You don't need to read or print anything. Your task is to complete the function editDistance() which takes strings

s and t as input parameters and returns the minimum number of operation to convert the string s to string t.

Expected Time Complexity: O(|s|*|t|)

Expected Space Complexity: O(|s|*|t|)

Constraints:

1 ≤ Length of both strings ≤ 100

Both the strings are in lowercase.

Solution
class Solution {
static int dp[][];
static int min(int x, int y, int z) {
if (x <= y && x <= z) return x;
if (y <= x && y <= z)
return y;
else
return z;
}
static int fun(String s, String t, int pos1, int pos2) {
// If first string is empty, the only option is to
// insert all characters of second string into first
if (pos1 == 0) return pos2;
// If second string is empty, the only option is to
// remove all characters of first string
if (pos2 == 0) return pos1;
// If already calculated.

if (dp[pos1][pos2] != -1) return dp[pos1][pos2];


// If last characters of two strings are same, nothing
// much to do. Ignore last characters and get count for
// remaining strings.
if (s.charAt(pos1 - 1) == t.charAt(pos2 - 1))
return dp[pos1][pos2] = fun(s, t, pos1 - 1, pos2 - 1);
// If last characters are not same, consider all three
// operations on last character of first string, recursively
// compute minimum cost for all three operations and take
// minimum of three values.
return dp[pos1][pos2] = min(1 + fun(s, t, pos1, pos2 - 1),
1 + fun(s, t, pos1 - 1, pos2),
1 + fun(s, t, pos1 - 1, pos2 - 1));
}
public int editDistance(String s, String t) {
dp = new int[s.length() + 1][t.length() + 1];
for (int i = 0; i <= s.length(); i++)
for (int j = 0; j <= t.length(); j++) dp[i][j] = -1;

int ans = fun(s, t, s.length(), t.length());


return ans;
}
}
10. Parenthesis Checker
[ Flipkart / Amazon / Microsoft / OYO Rooms / Snapdeal / Oracle / Walmart / Adobe
/ Google / Yatra.com ]
Given an expression string x. Examine whether the pairs and the orders of {,},(,),[,] are correct in exp.

For example, the function should return 'true' for exp = [()]{}{[()()]()} and 'false' for exp = [(]).

Note: The drive code prints "balanced" if function return true, otherwise it prints "not balanced".

Example 1:

Input:

{([])}

Output:

true

Explanation:

{ ( [ ] ) }. Same colored brackets can form

balanced pairs, with 0 number of

unbalanced bracket.

Example 2:

Input:

()

Output:

true

Explanation:

(). Same bracket can form balanced pairs,

and here only 1 type of bracket is

present and in balanced way.

Example 3:

Input:

([]

Output:

false
Explanation:

([]. Here square bracket is balanced but

the small bracket is not balanced and

Hence , the output will be unbalanced.

Your Task:

This is a function problem. You only need to complete the function ispar() that takes a string as

a parameter and returns a boolean value true if brackets are balanced else returns false. The printing is

done automatically by the driver code.

Expected Time Complexity: O(|x|)

Expected Auixilliary Space: O(|x|)

Constraints:

1 ≤ |x| ≤ 32000

Solution
class Solution
{
//Function to check if opening and closing brackets are of same
type.
static boolean cmp(char b, char c)
{
if(b=='{' && c=='}')
return true;
else if(b=='[' && c==']')
return true;
else if(b=='(' && c==')')
return true;
return false;
}

//Function to check if brackets are balanced or not.


static boolean ispar(String x)
{
Stack<Character> s = new Stack<>();

//iterating over the string.


for(int i=0;i<x.length();i++)
{
//if opening bracket is encountered, we push it into stack.
if(x.charAt(i)=='[' || x.charAt(i)=='{' || x.charAt(i)=='(')
s.push(x.charAt(i));

//if closing bracket is encountered, we compare it with top


of stack.
else if(x.charAt(i)==']' || x.charAt(i)=='}' ||
x.charAt(i)==')')
{
//if top of stack has opening bracket of different
//type, we return false.
if(s.isEmpty() == true || !cmp(s.peek(),x.charAt(i)))
return false;

//else we pop the top element from stack.


else
s.pop();
}
}

//if stack becomes empty, we return true else false.


if(s.isEmpty() == true)
return true;
else
return false;
}
}
11. Next Permutation
[Infosys / Flipkart / Amazon / Microsoft / FactSet/ /Hike / MakeMyTrip / Google /
Qualcomm / Salesforce]
Implement the next permutation, which rearranges the list of numbers into Lexicographically next greater

permutation of list of numbers. If such arrangement is not possible, it must be rearranged to the lowest

possible order i.e. sorted in an ascending order. You are given an list of numbers arr[ ] of size N.

Example 1:

Input: N = 6

arr = {1, 2, 3, 6, 5, 4}

Output: {1, 2, 4, 3, 5, 6}

Explaination: The next permutation of the

given array is {1, 2, 4, 3, 5, 6}.

Example 2:

Input: N = 3

arr = {3, 2, 1}

Output: {1, 2, 3}

Explaination: As arr[] is the last

permutation. So, the next permutation

is the lowest one.

Your Task:

You do not need to read input or print anything. Your task is to complete the
function nextPermutation() which takes N and arr[ ] as input parameters and returns a list of numbers

containing the next permutation.

Expected Time Complexity: O(N)

Expected Auxiliary Space: O(1)

Constraints:

1 ≤ N ≤ 10000
Solution
class Solution{
void swap(int i, int j, int arr[]){
int tmp = arr[i];
arr[i] = arr[j];
arr[j] = tmp;
}

List<Integer> nextPermutation(int N, int arr[]){


// code here
int ind = 0;
int v[] = arr.clone();
for(int i = N-2;i >= 0;i--){
if(v[i] < v[i+1]){
ind = i;
break;
}
}
for(int i = N-1;i > ind;i--){
if(v[i] > v[ind]){
swap(i, ind, v);
ind++;
break;
}
}
for(int i = 0;i < (N-ind)/2;i++)
swap(i + ind, N - i - 1, v);
List<Integer> li = new ArrayList<>();
for(int x : v) li.add(x);
return li;
}
}

12. Word Break


[ Zoho / Flipkart / Amazon / Microsoft / Hike / Walmart / MAQ Software / Google /
IBM]
Given a string A and a dictionary of n words B, find out if A can be segmented into a space-separated

sequence of dictionary words.

Note: From the dictionary B each word can be taken any number of times and in any order.

Example 1:
Input:

n = 12

B = { "i", "like", "sam",

"sung", "samsung", "mobile",

"ice","cream", "icecream",

"man", "go", "mango" }

A = "ilike"

Output:

Explanation:

The string can be segmented as "i like".

Example 2:

Input:

n = 12

B = { "i", "like", "sam",

"sung", "samsung", "mobile",

"ice","cream", "icecream",

"man", "go", "mango" }

A = "ilikesamsung"

Output:

Explanation:

The string can be segmented as

"i like samsung" or "i like sam sung".

Your Task:

Complete wordBreak() function which takes a string and list of strings as a parameter and returns 1 if it is

possible to break words, else return 0. You don't need to read any input or print any output, it is done by

driver code.

Expected time complexity: O(s2)


Expected auxiliary space: O(s) , where s = length of string A

Constraints:

1 ≤ N ≤ 12

1 ≤ s ≤ 1100 , where s = length of string A


Solution
class Sol
{
public static int wordBreak(String A, ArrayList<String> B )
{
int i,j,k,n=B.size();
TreeSet<String> mp = new TreeSet<String>();
for(i=0;i<n;i++)
mp.add(B.get(i));

int len = A.length();

ArrayList<Boolean> dp = new ArrayList<Boolean>(len + 1);


for(i=0;i<len;i++)
dp.add(i,false);

dp.add(0,true);

for(i = 1; i <= len; i++) {


for(j = 0; j <len; j++) {
if(dp.get(j) && mp.contains(A.substring(j, i) )) {
dp.add(i,true);
break;
}
}
}

if(dp.get(len))
return 1;
return 0;

}
}

You might also like