UAIC Competitive Programming

Problem 42: Longest Palindromic Substring

Problem Statement: Given a string, find the longest substring which is a palindrome. If there are multiple answers, print any one of them.

Input

A single line containing the string.

Output

Print the longest palindromic substring.

Examples


Input:
babad

Output:
bab
                

Solution in C++


#include <iostream>
#include <string>
using namespace std;

string longestPalindrome(string s) {
    int n = s.size();
    if (n == 0) return "";
    int start = 0, maxLen = 1;
    
    for (int i = 0; i < n; i++){
        int l = i, r = i;
        while(l >= 0 && r < n && s[l] == s[r]){
            if(r - l + 1 > maxLen){
                start = l;
                maxLen = r - l + 1;
            }
            l--; r++;
        }
        l = i, r = i+1;
        while(l >= 0 && r < n && s[l] == s[r]){
            if(r - l + 1 > maxLen){
                start = l;
                maxLen = r - l + 1;
            }
            l--; r++;
        }
    }
    return s.substr(start, maxLen);
}

int main(){
    ios::sync_with_stdio(false);
    cin.tie(nullptr);

    string s; cin >> s;
    cout << longestPalindrome(s) << "\n";
    return 0;
}