Skip to main content

Odd String Difference Problem

Problem Statement​

Problem Description​

You are given an array of equal-length strings words. Assume that the length of each string is n.

Each string words[i] can be converted into a difference integer array difference[i] of length n - 1 where difference[i][j] = words[i][j+1] - words[i][j] where 0 <= j <= n - 2. Note that the difference between two letters is the difference between their positions in the alphabet i.e. the position of 'a' is 0, 'b' is 1, and 'z' is 25.

For example, for the string "acb", the difference integer array is [2 - 0, 1 - 2] = [2, -1]. All the strings in words have the same difference integer array, except one. You should find that string.

Return the string in words that has different difference integer array.

Examples​

Example 1​

Input: words = ["aaa","bob","ccc","ddd"]
Output: "bob"
Explanation: All the integer arrays are [0, 0] except for "bob", which corresponds to [13, -13].

Constraints​

  • 3 <= words.length <= 100
  • n == words[i].length
  • 2 <= n <= 20
  • words[i] consists of lowercase English letters.

Solution of Given Problem​

Intuition and Approach​

The problem can be solved using a brute force approach or an optimized Technique.

Approach 1:Brute Force (Naive)​

Brute Force Approach: Convert each string in the words array to its corresponding difference integer array. Compare the difference arrays to find the one that is different from the others.

Codes in Different Languages​

Written by @AmruthaPariprolu
#include <iostream>
#include <vector>
#include <string>

std::vector<int> getDifferenceArray(const std::string& word) {
std::vector<int> difference;
for (int i = 0; i < word.length() - 1; ++i) {
difference.push_back(word[i + 1] - word[i]);
}
return difference;
}

std::string oddStringOut(const std::vector<std::string>& words) {
std::vector<std::vector<int>> differences;
for (const auto& word : words) {
differences.push_back(getDifferenceArray(word));
}

for (int i = 0; i < differences.size(); ++i) {
int count = 0;
for (int j = 0; j < differences.size(); ++j) {
if (differences[i] == differences[j]) {
count++;
}
}
if (count == 1) {
return words[i];
}
}
return "";
}

int main() {
std::vector<std::string> words = {"adc", "wzy", "abc"};
std::cout << oddStringOut(words) << std::endl; // Output: "abc"
return 0;
}

Complexity Analysis​

  • Time Complexity: O(mβˆ—n)O(m*n)
  • where m is the number of strings and n is the length of each string.
  • Space Complexity: O(mβˆ—(nβˆ’1))O(m * (n-1))
  • for storing the difference arrays.

Video Explanation of Given Problem​


Authors:

Loading...