在C ++中检查给定单词是否保持给定模式的程序

假设我们有一个模式p和一个字符串str,我们必须检查str是否遵循相同的模式。在这里,跟随意味着在模式中的字母和str中的非空词之间存在双射。

因此,如果输入类似于pattern =“ cbbc”,str =“ word pattern pattern word”,则输出将为True。

例  

让我们看下面的实现以更好地理解-

#include <bits/stdc++.h>
using namespace std;
class Solution {
   public:
   bool wordPattern( string pattern, string str ) {
      istringstream strcin(str);
      string word;
      vector<string> words;
      while (strcin >> word)
         words.push_back(word);
      unordered_map<char, int> p2i;
      int i = 0;
      string pat = "";
      for (auto c : pattern) {
         if (p2i.count(c) == 0) {
            i++;
            p2i[c] = i;
         }
         pat += to_string(p2i[c]);
      }
      unordered_map str2i;
      i = 0;
      string pat1 = "";
      for (auto c : words) {
         if (str2i.count(c) == 0) {
            i++;
            str2i[c] = i;
         }
         pat1 += to_string(str2i[c]);
      }
      return pat1 == pat;
   }
};
main(){
   Solution ob;
   cout << (ob.wordPattern("cbbc", "word pattern pattern word"));
}

输入值

"cbbc", "word pattern pattern word"
输出结果
1

猜你喜欢