LeetCode-in-All

647. Palindromic Substrings

Medium

Given a string s, return the number of palindromic substrings in it.

A string is a palindrome when it reads the same backward as forward.

A substring is a contiguous sequence of characters within the string.

Example 1:

Input: s = “abc”

Output: 3

Explanation: Three palindromic strings: “a”, “b”, “c”.

Example 2:

Input: s = “aaa”

Output: 6

Explanation: Six palindromic strings: “a”, “a”, “a”, “aa”, “aa”, “aaa”.

Constraints:

Solution

-spec count_substrings(S :: binary()) -> integer().
count_substrings(S) ->
    TupleS = list_to_tuple(unicode:characters_to_list(S)),
    get_count(TupleS, 0, 0).

-spec get_count(TupleS :: tuple(), Count :: integer(), I :: integer()) -> integer().
get_count(TupleS, Count, I) when I >= tuple_size(TupleS) ->
    Count;
get_count(TupleS, Count, I) ->
    Left = I,
    Right = I,
    Count1 = Count + while(TupleS, 0, Left, Right),
    Left1 = I,
    Right1 = I + 1,
    Count2 = Count1 + while(TupleS, 0, Left1, Right1),
    get_count(TupleS, Count2, I + 1).

-spec while(TupleS :: tuple(), Acc :: integer(), Left :: integer(), Right :: integer()) -> integer().
while(TupleS, Acc, Left, Right) when Left < 0; Right >= tuple_size(TupleS); element(Left + 1, TupleS) /= element(Right + 1, TupleS) ->
    Acc;
while(TupleS, Acc, Left, Right) ->
    while(TupleS, Acc + 1, Left - 1, Right + 1).