Skip to content

HackerRank and GeeksForGeeks Minimum Replacements/Substitutions to Make Adjacent Characters Unequal

Published: at 06:23 AM

Table of contents

Open Table of contents

Description

Question Links: GFG

For each word in a list of words, if any two adjacent characters are equal, change one of them. Determine the minimum number of substitutions so the final string contains no adjacent equal characters.

Example

words = ['add', boook, 'break']

1. 'add': change one d (1 change)
2. 'boook': change the middle o(1 change)
3. 'break: no changes are necessary (0 changes)

The return array is [1, 1, 0].

Function Description

Complete the function minimalOnerations, minimalOperations has the following parameters:

string words[n]: an array of strings

Returns: int[n]: each element i is the minimum substitutions for words[i].

Constraints:

Input Format for custom Testing

Input from stdin will be processed as follows and passed to the function.

The first line contains an integer n, the size of the array words.

Each of the next n lines contains a string words[i].

Sample Case 0

sample Input 0

Function Parameters
→ words| Size = 5
→ words[] = [ 'ab', 'aab', 'abb', 'abab' . 'abaaaba']

Sample output
0
1
1
0
1

Explanation 0

The return array is [0, 1, 1, 0, 1].

Idea

A key discovery for this question is that for any streak of repeating characters, the number of replacements needed is the repeat streak count divided by two.

So we count the streak of repeating characters and accumulate the result.

Complexity: Time O(n)O(n), Space O(1)O(1).

Python

def minReplaceUnequal(s: str) -> int:
    i, res, n = 0, 0, len(s)
    while i < n:
        streak = 1
        while i + 1 < n and s[i] == s[i + 1]:
            i += 1
            streak += 1
        res += streak // 2
        i += 1
    return res

Unit Test

class TestMinReplacementUnequal(TestCase):
    def test_min_replace_unequal(self):
        cases = [
            ('ab', 0),
            ('caaab', 1),
            ('xxxxxxx', 3),
            ('add', 1),
            ('boook', 1),
            ('break', 0),
            ('abaaaba', 1),
            ('abab', 0),
        ]
        for s, exp in cases:
            with self.subTest(s=s, exp=exp):
                self.assertEqual(exp, minReplaceUnequal(s))

Previous Post
LeetCode 1930 Unique Length-3 Palindromic Subsequences
Next Post
LeetCode 2559 Count Vowel Strings in Ranges