Reformat The String
💻 coding

Reformat The String

2 min read 335 words
2 min read
ShareWhatsAppPost on X
  • 1The task is to create a permutation of an alphanumeric string with alternating letters and digits.
  • 2If the difference in count between letters and digits is greater than one, reformatting is impossible.
  • 3Examples illustrate valid and invalid cases for string reformatting based on character types.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The task is to create a permutation of an alphanumeric string with alternating letters and digits."

Reformat The String

Given alphanumeric string s. (Alphanumeric string is a string consisting of lowercase English letters and digits).

You have to find a permutation of the string where no letter is followed by another letter and no digit is followed by another digit. That is, no two adjacent characters have the same type.

Return the reformatted string or return an empty string if it is impossible to reformat the string.

Example 1:

Input: s = "a0b1c2"

Output: "0a1b2c"

Explanation: No two adjacent characters have the same type in "0a1b2c". "a0b1c2", "0a1b2c", "0c2a1b" are also valid permutations.

Example 2:

Input: s = "leetcode"

Output: ""

Explanation: "leetcode" has only characters so we cannot separate them by digits.

Example 3:

Input: s = "1229857369"

Output: ""

Explanation: "1229857369" has only digits so we cannot separate them by characters.

Example 4:

Input: s = "covid2019"

Output: "c2o0v1i9d"

Example 5:

Input: s = "ab123"

Output: "1a2b3"

Constraints:

1 <= s.length <= 500

s consists of only lowercase English letters and/or digits.

Solution:

using System;
using System.Collections.Generic;
using System.Text;

namespace LeetCode.AskGif.Easy.String
{
 class ReformatString
 {
 public void execute()
 {
 string s = "covid2019";

 var res = Reformat(s);
 }

 public string Reformat(string s)
 {
 var number = new List<char>();
 var alphabet = new List<char>();
 for(int i = 0; i < s.Length; i++)
 {
 if (isNumber(s[i]))
 {
 number.Add(s[i]);
 }
 else
 {
 alphabet.Add(s[i]);
 }
 }

 if( Math.Abs(number.Count - alphabet.Count) > 1)
 {
 return "";
 }
 else
 {
 StringBuilder res = new StringBuilder();
 if(number.Count > alphabet.Count)
 {
 for (int i = 0; i < (s.Length/2)+1; i++)
 {
 if (i < number.Count)
 {
 res.Append(number[i]);
 }
 if (i < alphabet.Count)
 {
 res.Append(alphabet[i]);
 }
 }
 }
 else
 {
 for (int i = 0; i < (s.Length/2)+1; i++)
 {
 if (i < alphabet.Count)
 {
 res.Append(alphabet[i]);
 }
 if (i < number.Count)
 {
 res.Append(number[i]);
 } 
 }
 }
 return res.ToString();
 }
 }

 private bool isNumber(char v)
 {
 return v >= 48 && v <= 57;
 }
 }
}

Time Complexity: O(n) - For one pass

Space Complexity: O(n) - For Storing in List.

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

AskGif

Published on 3 May 2020 · 2 min read · 335 words

Part of AskGif Blog · coding

You might also like