商汤笔试算法题

商汤笔试算法题

题目描述

给定一个字符串序列,包含字母,数字以及空格,请问该字符串最多能组成多少个“Good”。
字符串区分大小写,每个字符只能使用一次,且不能调换字符顺序。

结题思路

G前面出现o或者d,则o或者d失效,如果遇到d时,G的个数小于1,或者o的个数小于2,则d失效。
自己写输入输出时,需要注意,使用nextLine,如果使用next遇到空格,只吸取空格前面的值。

代码实现

测试用例:
String str1 = “Goo23good Gooddd”; - 2
String str = “123 GoodoodGGoooddjfhjdGGooo3dkdggggGoood0123\n”; - 5

import java.util.Scanner;

public class main2 {
    public static void main(String[] args) {
        Scanner s = new Scanner(System.in);
        String str = s.nextLine();
        if(str == null || str.length() <= 0){
            return;
        }
        System.out.println(fun(str));
    }
    public static int fun(String str){
        if(str == null || str.length() <= 0){
            return 0;
        }
        //优先匹配后面的G
        //遇到G,则G+1,遇到d判断o的个数是否大于2,如果大于2,则G-1
        int stackG = 0;
        int counto = 0;
        int end = 0;
        int len = str.length();
        for(int i=0;i<len;++i){
            if(str.charAt(i) == 'G'){
                stackG++;
            }
            //G前面有o或d,则o或d失效,o有效必须是栈中有G
            if( stackG > 0 && str.charAt(i) == 'o'){
                counto++;
            }
            //d有效时,G的个数必须大于1,且o的个数大于等于2,则存在一个Good
            if(stackG > 0 && counto >= 2 && str.charAt(i) == 'd'){
                counto -= 2;
                stackG--;
                end++;
            }
        }
        return end;
    }
}

你可能感兴趣的:(面试,java)