833. 字符串中的查找与替换

833. 字符串中的查找与替换

对于某些字符串 S,我们将执行一些替换操作,用新的字母组替换原有的字母组(不一定大小相同)。

每个替换操作具有 3 个参数:起始索引 i,源字 x 和目标字 y。规则是如果 x 从原始字符串 S 中的位置 i 开始,那么我们将用 y 替换出现的 x。如果没有,我们什么都不做。

举个例子,如果我们有 S = “abcd” 并且我们有一些替换操作 i = 2,x = “cd”,y = “ffff”,那么因为 “cd” 从原始字符串 S 中的位置 2开始,我们将用 “ffff” 替换它。

再来看 S = “abcd” 上的另一个例子,如果我们有替换操作 i = 0,x = “ab”,y = “eee”,以及另一个替换操作 i = 2,x = “ec”,y = “ffff”,那么第二个操作将不执行任何操作,因为原始字符串中 S[2] = 'c',与 x[0] = 'e' 不匹配。

所有这些操作同时发生。保证在替换时不会有任何重叠: S = "abc", indexes = [0, 1], sources = ["ab","bc"] 不是有效的测试用例。

示例 1:

输入:S = "abcd", indexes = [0,2], sources = ["a","cd"], targets = ["eee","ffff"]
输出:"eeebffff"
解释:
"a" 从 S 中的索引 0 开始,所以它被替换为 "eee"。
"cd" 从 S 中的索引 2 开始,所以它被替换为 "ffff"。

示例 2:

输入:S = "abcd", indexes = [0,2], sources = ["ab","ec"], targets = ["eee","ffff"]
输出:"eeecd"
解释:
"ab" 从 S 中的索引 0 开始,所以它被替换为 "eee"。
"ec" 没有从原始的 S 中的索引 2 开始,所以它没有被替换。

提示:

  1. 0 <= indexes.length = sources.length = targets.length <= 100
  2. 0 < indexes[i] < S.length <= 1000
  3. 给定输入中的所有字符都是小写字母。

****************************

思路:将indexes按照降序排列,从前往后查找,从后往前替换

#include <iostream>
#include <vector>
#include <string>
#include <algorithm>
#include <map>
using namespace std;


class Solution {
public:
	string findReplaceString(string S, vector<int>& indexes, vector<string>& sources, vector<string>& targets) 
	{
		string ans = S;
		vector<int>index = indexes;
		auto pos = 0, pos2 = 0;
		sort(index.rbegin(), index.rend());
		for (int i = 0; i < index.size(); i++)
		{
			int pos_true = distance(indexes.begin(), find(indexes.begin(), indexes.end(), index[i]));
			pos = ans.find(sources[pos_true]);
			while (pos<=indexes[pos_true]&&pos!=string::npos)
			{
				if (pos == indexes[pos_true])
				{
					ans.insert(pos, targets[pos_true]);
					int lent = targets[pos_true].length();
					int lens = sources[pos_true].length();
					ans.erase(pos + lent, lens);
					break;
				}
				pos = ans.find(sources[pos_true], pos + 1);
			}

		}

			return ans;
	}
};


int main()
{


	string S = "wreorttvosuidhrxvmvo";
	vector<int>indexes = { 14, 12, 10, 5, 0, 18 };
	vector<string>sources = { "rxv", "dh", "ui", "ttv", "wreor", "vo" };
	vector<string>targets = { "frs", "c", "ql", "qpir", "gwbeve", "n" };


	
	Solution s;
	cout<<s.findReplaceString(S, indexes, sources, targets);
	return 0;
}

猜你喜欢

转载自blog.csdn.net/kongqingxin12/article/details/83106709