Digamos que você tenha uma string como esta:
abaabbbbbaabba
Conte o número de vezes que um caractere especificado aparece na sequência de entrada, mas apenas se o caractere aparecer apenas uma vez em uma linha . Por exemplo, se o personagem for a
,
abaabbbbbaabba
^ x x ^
O total seria 2 (os aa
não contariam porque o a
aparece duas vezes seguidas).
Como isso está relacionado ao FizzBuzz?
Se o personagem aparecer 3 (ou múltiplos de 3) vezes seguidas ou 5 (ou múltiplos de 5) vezes seguidas, o contador será diminuído . Se for um múltiplo de 3 e 5 vezes, o contador ainda será incrementado. Lembre-se de que o contador também será incrementado se o personagem aparecer apenas uma vez em uma linha e será ignorado se o personagem aparecer outro número de vezes em uma linha (além das situações descritas acima).
Para recapitular, se a sequência a corresponder for a
,
input counter (explanation)
a 1 (single occurence)
aaa -1(multiple of 3)
aaaaa -1(multiple of 5)
aaaaaaaaaaaaaaa 1 (multiple of 15)
aa 0 (none of the above)
aba 2 (two single instances)
aaba 1 (one single occurence(+1) and one double occurence(ignored))
aaaba 0 (one single occurence(+1) and one triple (-1)
aaaaaa -1 (six is a multiple of three)
Implementação de referência (ungolfed) em java:
import java.util.Scanner;
import java.util.regex.*;
public class StrMatcher {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in); //Scanner to get user input
int total = 0;//Running total of matches
System.out.println("Enter a string: ");
String strBeingSearched = sc.nextLine(); //String that will be searched
System.out.println("Enter string to match with: ");
String strBeingMatched = sc.nextLine(); //Substring used for searching
//Simple regex matcher
Pattern pattern = Pattern.compile("(" + strBeingMatched + ")+");
Matcher matcher = pattern.matcher(strBeingSearched);
while(matcher.find()){ //While there are still matches
int length = matcher.end() - matcher.start();
int numberOfTimes = length/strBeingMatched.length();//Calculate how many times in a row the string is matched
if((numberOfTimes == 1)||((numberOfTimes % 3 == 0) && (numberOfTimes % 5 == 0))){
total++; //Increment counter if single match or divisible by 15
} else if((numberOfTimes % 3 == 0)||(numberOfTimes % 5 == 0)) {
total--; //Decrement counter if divisible by 3 or 5 (but not 15)
}
strBeingSearched = strBeingSearched.substring(matcher.end());
matcher = pattern.matcher(strBeingSearched); //Replace string/matcher and repeat
}
System.out.println(total);
}
}
- A sequência que será pesquisada pode ter qualquer comprimento, mas o padrão será apenas um caractere.
- Nenhuma string terá caracteres especiais de regex.
- Isso é código-golfe ; o programa mais curto em bytes vence.
- Sem brechas padrão.