这个问题是最近在面试中问到的,我无法解决,所以需要一些建议,我应该如何解决这个问题
声明:我不能使用REGEX或任何内置库
*****问题陈述如下*********
**个匹配项 输入:文本(字符串),查询(字符串) 输出:如果可以在文本内找到查询的匹配项,则为true,否则为false 如果没有特殊字符,大多数语言都有一个contains方法将执行此操作。 一个特殊字符:“?” -如果找到'?'在查询字符串中,它表明前一个字符是可选的(匹配0或1次)。
示例:
*****我的方法如下*********
public class StringPatternMatch
{
public static bool MatchPattern(string inputText, string pattern)
{
int count = 0; int patternIndex = 0;
for (var i = 0; i < inputText.Length; i++)
{
if (patternIndex > pattern.Length)
break;
if (inputText[i] == pattern[patternIndex] ||
(inputText[i] != pattern[patternIndex] && pattern[patternIndex + 1] == '?'))
count++;
patternIndex++;
}
return pattern.Length == count;
}
}
将两个字符串从一侧移到另一侧(例如从最右边的字符到最左边)。如果找到匹配的字符,我们将在两个字符串中都向前移动,并增加模式计数器-在模式长度为末的匹配计数处
我也提供了我的代码,但是并不能涵盖所有情况
我当然没有下一个回合,但是我仍然在考虑这个问题,还没有找到准确的解决方案-希望看到一些有趣的答案!
答案 0 :(得分:2)
您的想法可以奏效,但是您的实现过于简单:
// assumes the pattern is valid, e.g. no ??
public static boolean matches(String string, String pattern) {
int p = 0; // position in pattern
// because we only return boolean we can discard all optional characters at the beginning of the pattern
while (p + 1 < pattern.length() && pattern.charAt(p + 1) == '?')
p += 2;
if (p >= pattern.length())
return true;
for (int s = 0; s < string.length(); s++) // s is position in string
// find a valid start position for the first mandatory character in pattern and check if it matches
if (string.charAt(s) == pattern.charAt(p) && matches(string, pattern, s + 1, p + 1))
return true;
return false;
}
private static boolean matches(String string, String pattern, int s, int p) {
if (p >= pattern.length()) // end of pattern reached
return true;
if (s >= string.length() || string.charAt(s) != pattern.charAt(p)) // end of string or no match
// if the next character of the pattern is optional check if the rest matches
return p + 1 < pattern.length() && pattern.charAt(p + 1) == '?' && matches(string, pattern, s, p + 2);
// here we know the characters are matching
if (p + 1 < pattern.length() && pattern.charAt(p + 1) == '?') // if it is an optional character
// check if matching the optional character or skipping it leads to success
return matches(string, pattern, s + 1, p + 2) || matches(string, pattern, s, p + 2);
// the character wasn't optional (but matched as we know from above)
return matches(string, pattern, s + 1, p + 1);
}