Skip to main content

Equal Beauty CodeChef SnackDown 2021 Round 1A

 Equal Beauty CodeChef SnackDown 2021 Round 1A Question The beauty of an (non-empty) array of integers is defined as the difference between its largest and smallest element. For example, the beauty of the array [2,3,4,4,6] is 6−2=4. An array A is said to be good if it is possible to partition the elements of A into two non-empty arrays B1 and B2 such that B1 and B2 have the same beauty. Each element of array A should be in exactly one array: either in B1 or in B2. For example, the array [6,2,4,4,4] is good because its elements can be partitioned into two arrays B1=[6,4,4] and B2=[2,4], where both B1 and B2 have the same beauty (6−4=4−2=2). You are given an array A of length N. In one move you can: Select an index i (1≤i≤N) and either increase Ai by 1 or decrease Ai by 1. Find the minimum number of moves required to make the array A good. Input Format The first line of input contains a single integer T, denoting the number of test cases. The description of T test cases follow. Each test

Reverse Words in a String LeetCode Solution

 Reverse Words in a String LeetCode Solution

Reverse words in a String LeetCode


Question

Given an input string s, reverse the order of the words.

word is defined as a sequence of non-space characters. The words in s will be separated by at least one space.

Return a string of the words in reverse order concatenated by a single space.

Note that s may contain leading or trailing spaces or multiple spaces between two words. The returned string should only have a single space separating the words. Do not include any extra spaces.

 

Example 1:

Input: s = "the sky is blue"
Output: "blue is sky the"

Example 2:

Input: s = "  hello world  "
Output: "world hello"
Explanation: Your reversed string should not contain leading or trailing spaces.

Example 3:

Input: s = "a good   example"
Output: "example good a"
Explanation: You need to reduce multiple spaces between two words to a single space in the reversed string.

Example 4:

Input: s = "  Bob    Loves  Alice   "
Output: "Alice Loves Bob"

Example 5:

Input: s = "Alice does not even like bob"
Output: "bob like even not does Alice"

 

Constraints:

  • 1 <= s.length <= 104
  • s contains English letters (upper-case and lower-case), digits, and spaces ' '.
  • There is at least one word in s.

 

Follow-up: If the string data type is mutable in your language, can you solve it in-place with O(1) extra space?

Explanation

This question is from the medium category of LeetCode. This question can be solved in multiple ways using multiple approaches. We can not do better than O(n) space in python, because strings are immutable. However if we are given not string, but array of symbols, we can remove all extra spaces, using Two pointers approach, reverse full string and then reverse each word. Time complexity will be O(n) and space will be O(1). Here is the python code: We traverse chars with two pointers and rewrite symbols in the beginning. Cut our chars, removing last elements (in my code it is not really inplace, but you can use del to do it in place), Reverse list using chars.reverse(). Use two pointers to reverse each word. If you use python, this problem becomes not medium, but rather easy: all you need to do is to split() you data and take elements in negative order. split() is smart enough to ignore several spaces in a row as well as extra spaces in the begin and in the end. Complexity: both time and memory complexity is O(n), because we traverse all string and we create new with size O(n). The following is 2 different solutions Iterates String Backwards, Iterates String Forwards using a Stack. The idea here is to iterate the source string backwards, creating word segments, and saving those found word segments to a result string. For each loop iteration in the source string, the letter at the current index is appended to the current word segment. When a whitespace is encountered, that means the current word segment is complete, and it is then added to the result string. This process continues until all characters in the source string has been iterated. The idea here is the same as above, but instead of iterating backwards, the source string is iterated forwards. When a word segment is found, it is saved to the stack. For each loop iteration in the source string, the letter at the current index is appended to the current word segment. When a whitespace is encountered, that means the current word segment is complete, and it is then added to the stack. This process continues until all characters in the source string has been iterated.
Append all word segments from the stack to the result string. They will be in reverse order when appended. That's all you needed to understand, now code it. I recommend first to try yourself then if you are stuck you can visit the solutions below in Java, C++, Python, C#.

Program Code

Java

Using StringBuilder Function

class Solution {
    public String reverseWords(String s) {
        StringBuilder result = new StringBuilder();
        StringBuilder current = new StringBuilder();
        int N = s.length();
        
        for(int i = N - 1; i >= 0; i--) {
            current.setLength(0);
            while(i >= 0 && s.charAt(i) != ' ') {
                current.append(s.charAt(i));
                i--;
            }
            if(current.length() > 0) {
                result.append(result.length() == 0 ? "": " ");
                result.append(current.reverse().toString());
            }
        }
        
        return result.toString();
    }
}

Without using StringBuilder Function

class Solution {
    public String reverseWords(String s) {
        String result = "";
        String current = "";
        int N = s.length();
        
        for(int i = N - 1; i >= 0; i--) {
            current = "";
            while(i >= 0 && s.charAt(i) != ' ') {
                current = s.charAt(i) + current;
                i--;
            }
            if(current.length() > 0) {
                result += (result.length() == 0 ? "": " ") + current;
            }
        }
        
        return result;
    }
}

C++

Using stringstream() function

class Solution {
public:
    string reverseWords(string s) {
        vector<string> vec;
        stringstream str(s);
        string word;
        
        while (str >> word) // store separated words in vector
            vec.push_back(word);
        
        reverse(vec.begin(), vec.end()); // reverse vector
        
        string res;
        for (const auto &it : vec) // concatenate strings
            res += " " + it;
        
        res.erase(0,1); // first place is always a space - extra
        
        return res;
    }
};

Without using stringstream() function

class Solution {
public:
    string reverseWords(string s) {
        
        //Remove trailing and leading spaces
        while(s[0] == ' ')
            s.erase(s.begin());
        
        int i = s.length() - 1;
        while(s[i] == ' ')
        {
            s.erase(s.begin()+i);
            i--;
        }
         
        //Remove extra spaces in string
        
        for(int i = 1; i< s.length(); i++)
        {
            while(s[i] == s[i-1] && s[i] == ' ')
                s.erase(s.begin()+i);
        }
        //reverse whole string
        reverse(s.begin(),s.end());
        
        //reverse the word using two pointers
        int j = 0;
        for(int i = 1; i<s.length(); i++)
        {
            if(s[i-1] == ' ')
                j = i; //store new word index in j
            else if(s[i] != ' ')
                continue;
            else
                reverse(s.begin()+j, s.begin()+i); //reverse the word between i and j
        }
        
        reverse(s.begin()+j, s.end()); //reverse the last word 
        
        return s;
    }
};

Python

Using Two pointer

class Solution:
    def reverseWords(self, s):       
        chars = [t for t in s]
        slow, n = 0, len(s)
        for fast in range(n):
            if chars[fast] != " " or (fast > 0 and chars[fast] == " " and chars[fast-1] != " "):
                chars[slow] = chars[fast]
                slow += 1
                
        if slow == 0: return ""       
        chars = chars[:slow-1] if chars[-1] == " " else chars[:slow]
        chars.reverse()
        
        slow, m = 0, len(chars)
        for fast in range(m + 1):
            if fast == m or chars[fast] == " ":
                chars[slow:fast] = chars[slow:fast][::-1]
                slow = fast + 1
                
        return "".join(chars)

Using split() function

class Solution:
    def reverseWords(self, s):
        return " ".join(s.split()[::-1]) 


C#

Iterating backwards

public class Solution {
    public string ReverseWords(string s) {  
        // Add a space at the beginning which indicates the end of data
        s = " " + s;
        
        var result = new StringBuilder();        
        var word = new StringBuilder();

        // Iterate starting from the end of the string to
        // isolate word segments and place all the found 
        // segments into result
        for (int index = s.Length -1; index >= 0; --index) {
            
            // Get the current letter
            var letter = s[index];
            
            // Add letter to current word segment if its not a whitespace
            if (!char.IsWhiteSpace(letter)) {                
                // Add letter to the begining of the word
                word.Insert(0, letter);
                
            } else if (word.Length > 0) { 
                // The letter was a whitespace, append word segment to result
                if (result.Length > 0) {
                    result.Append(" ");
                }
                result.Append(word.ToString()); 
                
                // Start a new word segment
                word.Clear();
            }
        }
        
        return result.ToString();
    }
}

Iterating forwards

public class Solution {
    public string ReverseWords(string s) {
        // Add a space at the end which indicates the end of data
        s += " ";
        
        var stack = new Stack<string>();        
        var word = new StringBuilder();
        
        // Isolate word segments and place into a stack
        for (int index = 0; index < s.Length; ++index) {
            // Get the current letter
            var letter = s[index];        
            // Add letter to current word segment if its not a whitespace
            if (!char.IsWhiteSpace(letter)) {
                word.Append(letter);
                
            } else if (word.Length > 0) {
                // The letter was a whitespace, add the word segment to the stack
                stack.Push(word.ToString());
                // Start a new word segment
                word.Clear();
            }
        }
        
        // Get data from the stack and add to result
        var result = new StringBuilder();        
        while (stack.Count > 0) {
            if (result.Length > 0) {
                result.Append(" ");
            }
            result.Append(stack.Peek());
            stack.Pop();
        }
        
        return result.ToString();
    }
}


Comments

Popular posts from this blog

Snake Procession CodeChef SnackDown 2021 Beginner Practice Contest

 Snake Procession CodeChef SnackDown 2021 Beginner Practice Contest Question: The annual snake festival is upon us, and all the snakes of the kingdom have gathered to participate in the procession. Chef has been tasked with reporting on the procession, and for this he decides to first keep track of all the snakes. When he sees a snake first, it'll be its Head, and hence he will mark a 'H'. The snakes are long, and when he sees the snake finally slither away, he'll mark a 'T' to denote its tail. In the time in between, when the snake is moving past him, or the time between one snake and the next snake, he marks with '.'s. Because the snakes come in a procession, and one by one, a valid report would be something like "..H..T…HTH….T.", or "…", or "HT", whereas "T…H..H.T", "H..T..H", "H..H..T..T" would be invalid reports (See explanations at the bottom). Formally, a snake is represented by a 'H&

Qualifying to Pre-Elimination CodeChef SnackDown 2021 Beginner Practice Contest

 Qualifying to Pre-Elimination  CodeChef SnackDown 2021 Beginner Practice Contest Question: Snackdown 2019 is coming! There are two rounds (round A and round B) after the qualification round. From both of them, teams can qualify to the pre-elimination round. According to the rules, in each of these two rounds, teams are sorted in descending order by their score and each team with a score greater or equal to the score of the team at the  K = 1500 K = 1500 -th place advances to the pre-elimination round (this means it is possible to have more than  K K  qualified teams from each round in the case of one or more ties after the  K K -th place). Today, the organizers ask you to count the number of teams which would qualify for the pre-elimination round from round A for a given value of  K K  (possibly different from  1500 1500 ). They provided the scores of all teams to you; you should ensure that all teams scoring at least as many points as the  K K -th team qualify. Input: The first line

Chef and Typing CodeChef SnackDown 2021 Beginner Practice Contest

 Chef and Typing CodeChef SnackDown 2021 Beginner Practice Contest Question: Chef is practising his typing skills since his current typing speed is very low. He uses a training application that displays some words one by one for Chef to type. When typing a word, Chef takes 0.2 seconds to type the first character; for each other character of this word, he takes 0.2 seconds to type this character if it is written with a different hand than the previous character, or 0.4 seconds if it is written with the same hand. The time taken to type a word is the sum of times taken to type all of its characters. However, if a word has already appeared during practice, Chef can type it in half the time it took him to type this word for the first time. Currently, Chef is practising in easy mode, which only uses words that consists of characters 'd', 'f', 'j' and 'k'. The characters 'd' and 'f' are written using the left hand, while the characters 'j&#

Kitchen Timetable CodeChef SnackDown 2021 Beginner Practice Contest Solution

 Kitchen Timetable CodeChef SnackDown 2021 Beginner Practice Contest Solution Question: There are  N  students living in the dormitory of Berland State University. Each of them sometimes wants to use the kitchen, so the head of the dormitory came up with a timetable for kitchen's usage in order to avoid the conflicts: The first student starts to use the kitchen at the time  0  and should finish the cooking not later than at the time  A 1 . The second student starts to use the kitchen at the time  A 1  and should finish the cooking not later than at the time  A 2 . And so on. The  N -th student starts to use the kitchen at the time  A N-1  and should finish the cooking not later than at the time  A N The holidays in Berland are approaching, so today each of these  N  students wants to cook some pancakes. The  i -th student needs  B i  units of time to cook. The students have understood that probably not all of them will be able to cook everything they want. How many students will be

Chef and Operations CodeChef SnackDown 2021 Beginner Practice Contest

Chef and Operations CodeChef SnackDown 2021 Beginner Practice Contest Question: Chef has two sequences  A A  and  B B , each with length  N N . He can apply the following magic operation an arbitrary number of times (including zero): choose an index  i i  ( 1 ≤ i ≤ N − 2 1 ≤ i ≤ N − 2 ) and add  1 1  to  A i A i ,  2 2  to  A i + 1 A i + 1  and  3 3  to  A i + 2 A i + 2 , i.e. change  A i A i  to  A i + 1 A i + 1 ,  A i + 1 A i + 1  to  A i + 1 + 2 A i + 1 + 2  and  A i + 2 A i + 2  to  A i + 2 + 3 A i + 2 + 3 . Chef asks you to tell him if it is possible to obtain sequence  B B  from sequence  A A  this way. Help him! Input: The first line of the input contains a single integer  T  denoting the number of test cases. The description of  T  test cases follows. The first line of each test case contains a single integer  N . The second line contains  N  space-separated integers  A 1 , A 2 , … , A N . The third line contains  N  space-separated integers  B 1 , B 2 , … , B B 1 , B 2 , … , B

Round Robin Ranks CodeChef SnackDown 2021 Round 1A

 Round Robin Ranks CodeChef SnackDown 2021 Round 1A Question A round-robin tournament is being held in Chefland among N teams numbered 1,2,...,N. Every team play with all other teams exactly once. All games have only two possible results - win or loss. A win yields 2 points to the winning team while a loss yields no points. What is the maximum number of points a team finishing at the Kth position can score? Note: If two teams have the same points then the team with the higher team number achieves the better rank. Input Format First line will contain T, number of testcases. Then the testcases follow. Each testcase contains a single line of input, two space-separated integers N,K. Output Format For each testcase, output in a single line an integer - the maximum points the team ranked K in the round-robin tournament can score. Constraints 1≤T≤10^5 1≤K≤N≤10^9 Sample Input 1  3 3 3 4 1 7 4 Sample Output 1  2 6 8 Explanation Test Case 1: There are 3 teams in the tournament. The maximum score

Temple Land CodeChef SnacKDown 2021 Beginner Practice Contest

 Temple Land CodeChef SnacKDown 2021 Beginner Practice Contest Question: The snakes want to build a temple for Lord Cobra. There are multiple strips of land that they are looking at, but not all of them are suitable. They need the strip of land to resemble a coiled Cobra. You need to find out which strips do so. Formally, every strip of land, has a length. Suppose the length of the i-th strip is is  N i , then there will be  N i  integers,  H i1 , H i2 , .. H iN i , which represent the heights of the ground at various parts of the strip, in sequential order. That is, the strip has been divided into  N i  parts and the height of each part is given. This strip is valid, if and only if all these conditions are satisfied: There should be an unique 'centre' part. This is where the actual temple will be built. By centre, we mean that there should be an equal number of parts to the left of this part, and to the right of this part. H i1  = 1 The heights keep increasing by exactly 1, as

Delete Two Elements Educational Codeforces Round 115 Solution

 Delete Two Elements Educational Codeforces Round 115 Solution Introduction Educational Codeforces rounds are organized by Codeforces for the Division 2 Coders. Similarly Educational Codeforces Round was held on     Sunday, October 10, 2021 at 14:35 UTC+5.5   Series of Educational Rounds continue to be held as Harbour Space University initiative. This round will be rated for coders with rating upto 2100. It will be held on extended ICPC rules. The penalty for each incorrect submission until the full correct solution is 10 minutes. After the end of the contest you will have 12 hours to hack any solution. You will be given 7 problems and two hours to solve them.  The contest was a success and lots of submissions were made by the hard striving coders. Problem A that is the Computer Game was very easy and had the maximum number of successful submission. Problem B was a not easy but not difficult also it was fit for an average coder to solve. Problem C although was quite confusing at the st

Dance Moves CodeChef SnackDown 2021 Round 1A Solution

 Dance Moves CodeChef SnackDown 2021 Round 1A Solution Question This year Chef is participating in a Dancing competition. The dance performance will be done on a linear stage marked with integral positions. Initially, Chef is present at position X and Chef's dance partner is at position Y. Chef can perform two kinds of dance moves. If Chef is currently at position k, Chef can: Moonwalk to position k+2, or Slide to position k−1 Chef wants to find the minimum number of moves required to reach his partner. Can you help him find this number? Input Format First line will contain a single integer T, the number of testcases. Then the description of T testcases follows. Each testcase contains a single line with two space-separated integers X,Y, representing the initial positions of Chef and his dance partner, respectively. Output Format For each testcase, print in a separate line, a single integer, the minimum number of moves required by Chef to reach his dance partner. Constraints 1≤T≤10^

Unique Email Addresses LeetCode Solution

Unique Email Addresses LeetCode Solution   Question Every  valid email  consists of a  local name  and a  domain name , separated by the  '@'  sign. Besides lowercase letters, the email may contain one or more  '.'  or  '+' . For example, in  "alice@leetcode.com" ,  "alice"  is the  local name , and  "leetcode.com"  is the  domain name . If you add periods  '.'  between some characters in the  local name  part of an email address, mail sent there will be forwarded to the same address without dots in the local name. Note that this rule  does not apply  to  domain names . For example,  "alice.z@leetcode.com"  and  "alicez@leetcode.com"  forward to the same email address. If you add a plus  '+'  in the  local name , everything after the first plus sign  will be ignored . This allows certain emails to be filtered. Note that this rule  does not apply  to  domain names . For example,  "m.y+name@ema