我们如何检查包含任何字符的任何字符串如何时间.... 示例: 工程是一个字符串,在完整字符串 中包含多少次'g'
问问题
89739 次
12 回答
49
我知道这是一个老问题,但有一个选项没有得到回答,而且很简单:
int count = string.length() - string.replaceAll("g","").length()
于 2015-01-29T08:29:05.587 回答
31
尝试这个
int count = StringUtils.countMatches("engineering", "e");
有关StringUtils的更多信息可以从以下问题中了解:How do I use StringUtils in Java?
于 2012-11-06T06:29:48.117 回答
8
我会使用Pattern
and Matcher
:
String string = "engineering";
Pattern pattern = Pattern.compile("([gG])"); //case insensitive, use [g] for only lower
Matcher matcher = pattern.matcher(string);
int count = 0;
while (matcher.find()) count++;
于 2012-11-06T06:28:09.647 回答
5
虽然 Regex 可以正常工作,但这里并不是真正需要的。你可以简单地使用 afor-loop
来维护count
一个字符。
您需要将字符串转换为 char 数组:-
String str = "engineering";
char toCheck = 'g';
int count = 0;
for (char ch: str.toCharArray()) {
if (ch == toCheck) {
count++;
}
}
System.out.println(count);
或者,您也可以不转换为charArray
:-
for (int i = 0; i < str.length(); i++) {
if (str.charAt(i) == toCheck) {
count++;
}
}
于 2012-11-06T06:30:45.160 回答
4
String s = "engineering";
char c = 'g';
s.replaceAll("[^"+ c +"]", "").length();
于 2012-11-06T06:36:14.070 回答
3
使用正则表达式[g]
查找字符并计算结果如下:
Pattern pattern = Pattern.compile("[g]");
Matcher matcher = pattern.matcher("engineering");
int countCharacter = 0;
while(matcher.find()) {
countCharacter++;
}
System.out.println(countCharacter);
如果您想要不区分大小写的计数,请使用[gG]
模式中的正则表达式。
于 2012-11-06T06:27:48.380 回答
3
使用 org.apache.commons.lang3 包来使用 StringUtils 类。下载 jar 文件并将其放入 Web 应用程序的 lib 文件夹中。
int count = StringUtils.countMatches("engineering", "e");
于 2017-02-22T13:26:54.123 回答
1
这是一个非常古老的问题,但这可能会帮助某人(“_”)
你可以简单地使用这个代码
public static void main(String[] args){
String mainString = "This is and that is he is and she is";
//To find The "is" from the mainString
String whatToFind = "is";
int result = countMatches(mainString, whatToFind);
System.out.println(result);
}
public static int countMatches(String mainString, String whatToFind){
String tempString = mainString.replaceAll(whatToFind, "");
//this even work for on letter
int times = (mainString.length()-tempString.length())/whatToFind.length();
//times should be 4
return times;
}
于 2016-08-28T17:49:11.933 回答
1
你可以试试 Java-8 的方式。简单,简单且更具可读性。
long countOfA = str.chars().filter(ch -> ch == 'g').count();
于 2019-06-01T13:55:52.457 回答
0
您可以遍历它并计算您想要的字母。
public class Program {
public static int countAChars(String s) {
int count = 0;
for(char c : s.toCharArray()) {
if('a' == c) {
count++;
}
}
return count;
}
}
或者您可以使用 StringUtils 来获得计数。
int count = StringUtils.countMatches("engineering", "e");
于 2014-11-17T09:48:59.657 回答
0
您可以尝试以下操作:
String str = "engineering";
int letterCount = 0;
int index = -1;
while((index = str.indexOf('g', index+1)) > 0)
letterCount++;
System.out.println("Letter Count = " + letterCount);
于 2012-11-06T06:29:05.887 回答
0
这是一个古老的问题,它是用 Java 编写的,但我会用 Python 回答它。这可能会有所帮助:
string = 'E75;Z;00001;'
a = string.split(';')
print(len(a)-1)
于 2019-10-23T23:25:04.067 回答