[力扣] 1616. 分割两个字符串得到回文串

题目:
[力扣] 1616. 分割两个字符串得到回文串_第1张图片
分析:
首先只考虑 a的前缀 + b的后缀 构成回文串的情况(反过来的解决思路完全相同),采用双指针的思想,左指针从a的左边开始遍历,右指针从b的右边开始遍历,如果要构成回文串,则 a的头部 和 b的尾部一定会存在相同的部分,可以先将最大的a的前缀等于b的后缀的长度找到。

int left = 0, right = n - 1;
while (left < right && a[left] == b[right]) {
	left++;
	right--;
}

在遍历结束后,如果左指针大于等于了右指针,说明,a 和 b的前缀,后缀相同的部分完全可以构成一个完整的字符串,可以直接返回true。

if (left >= right) {
	return true;
}

如果左指针没有越过右指针,则说明存在一段真空的区域(假定长度为len)无法覆盖,只要证明 a 或者 b,在这段真空区域中为回文串就可以了。

完整代码:

class Solution {
public:
    bool checkSelfPalindrome(const string &a, int left, int right) {
        while (left < right && a[left] == a[right]) {
            left++;
            right--;
        }
        return left >= right;
    }

    bool checkConcatenation(const string &a, const string &b) {
        int n = a.size();
        int left = 0, right = n - 1;
        while (left < right && a[left] == b[right]) {
            left++;
            right--;
        }
        if (left >= right) {
            return true;
        }
        return checkSelfPalindrome(a, left, right) || checkSelfPalindrome(b, left, right);
    }

    bool checkPalindromeFormation(string a, string b) {
        return checkConcatenation(a, b) || checkConcatenation(b, a);
    }
};

你可能感兴趣的:(力扣,leetcode,算法,c++)