Java String - 문자열이 숫자만 포함되고 문자가 포함되지 않는지 확인
나는 어플리케이션 내내 로드하는 문자열이 있는데, 그것은 숫자에서 글자 등으로 바뀐다.나는 간단한 것이 있다.if
글자나 숫자를 포함하나 제대로 작동하지 않는지 확인하는 문장.여기 작은 조각이 있다.
String text = "abc";
String number;
if (text.contains("[a-zA-Z]+") == false && text.length() > 2) {
number = text;
}
비록은text
변수가 문자를 포함하며, 조건은 다음과 같이 반환된다.true
. 그리고&&
두 가지 조건 모두 다음과 같이 평가해야 한다.true
을 처리하기 위하여number = text;
==============================
해결책:
나는 이 질문에 대한 코멘트로 제공된 이 코드를 사용하여 이 문제를 해결할 수 있었다.다른 모든 우편물도 유효해!
내가 사용한 것은 첫 번째 댓글에서 나온 것이다.제공된 모든 예제 코드도 유효한 것 같지만!
String text = "abc";
String number;
if (Pattern.matches("[a-zA-Z]+", text) == false && text.length() > 2) {
number = text;
}
숫자를 텍스트로 처리하려면 다음을 변경하십시오.
if (text.contains("[a-zA-Z]+") == false && text.length() > 2){
다음으로:
if (text.matches("[0-9]+") && text.length() > 2) {
문자열에 영문자가 없는지 확인하는 대신 문자열에 숫자만 포함되어 있는지 확인하십시오.
하고 싶다면 자자 로 하면 된다Integer.parseInt()
또는Double.parseDouble()
다른 사람들이 아래에 설명한 바와 같이
부울 값을 비교하는 것은 일반적으로 나쁜 관행으로 여겨진다.true
또는false
. 그냥 사용해.if (condition)
또는if (!condition)
.
또한 Apache Commons에서 NumberUtil.isCreatable(스트링 string)을 사용할 수 있음
이렇게 하면 된다.
if(text.matches("^[0-9]*$") && text.length() > 2){
//...
}
그$
부분 일치를 피한다(예:1B
.
ALFAB만 포함된 문자열을 간단히 확인하기 위해ETS는 다음 코드를 사용한다.
if (text.matches("[a-zA-Z]+"){
// your operations
}
NUMBER만 포함된 문자열을 간단히 확인하려면 다음 코드를 사용하십시오.
if (text.matches("[0-9]+"){
// your operations
}
이것이 누군가에게 도움이 되기를!
성급급parseInt
최소한 예외 처리를 필요로 하기 때문에, 그러한 것들은 다른 해결책들보다 훨씬 더 걱정된다.
jmh를 .charAt
그리고 문자열을 경계 문자와 비교하는 것이 문자열에 숫자만 포함되어 있는지 테스트하는 가장 빠른 방법이다.
JMH 시험
결과 스스의 비 을 비교Character.isDigit
대Pattern.matcher().matches
대Long.parseLong
vs check char char.
이러한 방법은 +/- 기호를 포함하는 비 ASCII 문자열과 문자열의 다른 결과를 산출할 수 있다.
테스트는 5번의 예열 반복과 5번의 테스트 반복으로 처리량 모드(그림이 더 좋다)에서 실행된다.
결과.
:parseLong
.isDigit
첫 번째 시험 하중의 경우.
## Test load with 25% valid strings (75% strings contain non-digit symbols)
Benchmark Mode Cnt Score Error Units
testIsDigit thrpt 5 9.275 ± 2.348 ops/s
testPattern thrpt 5 2.135 ± 0.697 ops/s
testParseLong thrpt 5 0.166 ± 0.021 ops/s
## Test load with 50% valid strings (50% strings contain non-digit symbols)
Benchmark Mode Cnt Score Error Units
testCharBetween thrpt 5 16.773 ± 0.401 ops/s
testCharAtIsDigit thrpt 5 8.917 ± 0.767 ops/s
testCharArrayIsDigit thrpt 5 6.553 ± 0.425 ops/s
testPattern thrpt 5 1.287 ± 0.057 ops/s
testIntStreamCodes thrpt 5 0.966 ± 0.051 ops/s
testParseLong thrpt 5 0.174 ± 0.013 ops/s
testParseInt thrpt 5 0.078 ± 0.001 ops/s
테스트 제품군
@State(Scope.Benchmark)
public class StringIsNumberBenchmark {
private static final long CYCLES = 1_000_000L;
private static final String[] STRINGS = {"12345678901","98765432177","58745896328","35741596328", "123456789a1", "1a345678901", "1234567890 "};
private static final Pattern PATTERN = Pattern.compile("\\d+");
@Benchmark
public void testPattern() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
b = PATTERN.matcher(s).matches();
}
}
}
@Benchmark
public void testParseLong() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
try {
Long.parseLong(s);
b = true;
} catch (NumberFormatException e) {
// no-op
}
}
}
}
@Benchmark
public void testCharArrayIsDigit() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
for (char c : s.toCharArray()) {
b = Character.isDigit(c);
if (!b) {
break;
}
}
}
}
}
@Benchmark
public void testCharAtIsDigit() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
for (int j = 0; j < s.length(); j++) {
b = Character.isDigit(s.charAt(j));
if (!b) {
break;
}
}
}
}
}
@Benchmark
public void testIntStreamCodes() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
b = s.chars().allMatch(c -> c > 47 && c < 58);
}
}
}
@Benchmark
public void testCharBetween() {
for (int i = 0; i < CYCLES; i++) {
for (String s : STRINGS) {
boolean b = false;
for (int j = 0; j < s.length(); j++) {
char charr = s.charAt(j);
b = '0' <= charr && charr <= '9';
if (!b) {
break;
}
}
}
}
}
}
2018년 2월 23일 업데이트
- 두 가지 사례 추가 - 한 가지 사례 사용
charAt
추가 어레이 및 다른 어레이를 생성하는 대신IntStream
char 코드. - 루프 테스트 사례에 대해 숫자가 아닌 경우 즉시 중단 추가
- 루프 테스트 사례의 빈 문자열에 대해 false 반환
2018년 2월 23일 업데이트
- 스트림을 사용하지 않고 char 값을 비교하는 테스트 케이스(가장 빠름!)를 하나 더 추가하십시오.
Apache Commons Lang이 제공하는 , 인수로 간주되는 .String
순수하게 숫자 문자(라틴어가 아닌 스크립트의 숫자 포함)로 구성되어 있는지 확인하십시오.그 방법이 돌아온다.false
공백, 빼기, 더하기 등의 문자와 쉼표, 점 등의 소수 구분 기호가 있는 경우
그 클래스의 다른 방법으로는 추가 숫자 체크를 할 수 있다.
boolean isNum = text.chars().allMatch(c -> c >= 48 &&c <= 57)
아래의 regex는 문자열에 숫자만 있는지 여부를 확인하는 데 사용할 수 있다.
if (str.matches(".*[^0-9].*")) or if (str.matches(".*\\D.*"))
위의 두 조건이 모두 반환됨true
문자열이 비숫자를 포함하는 경우.위에false
, 문자열은 숫자만 가지고 있다.
Regex를 사용하면 된다.매치
if(text.matches("\\d*")&& text.length() > 2){
System.out.println("number");
}
아니면 당신은 다음과 같은 역설을 사용할 수 있다.Integer.parseInt(String)
또는 그 이상Long.parseLong(String)
예를 들어 다음과 같은 큰 숫자의 경우:
private boolean onlyContainsNumbers(String text) {
try {
Long.parseLong(text);
return true;
} catch (NumberFormatException ex) {
return false;
}
}
다음으로 테스트한다.
if (onlyContainsNumbers(text) && text.length() > 2) {
// do Stuff
}
를 붙일 수 있는 이 많다.String
s는 자바(그리고 그 반대)로 표시된다.당신은 그 복잡한 문제를 피하기 위해 regex 부분을 건너뛰는 것이 좋을 것이다.
예를 들어, 당신은 무엇이 당신에게 돌아오는지를 볼 수 있다.그것은 a를 던져야 한다.NumberFormatException
문자열에서 적절한 값을 찾지 못할 경우나는 이 기술을 제안하고 싶다. 왜냐하면 당신은 실제로 이 기술에 의해 대표되는 가치를 활용할 수 있기 때문이다.String
숫자형으로
import java.util.*;
class Class1 {
public static void main(String[] argh) {
boolean ans = CheckNumbers("123");
if (ans == true) {
System.out.println("String contains numbers only");
} else {
System.out.println("String contains other values as well");
}
}
public static boolean CheckNumbers(String input) {
for (int ctr = 0; ctr < input.length(); ctr++) {
if ("1234567890".contains(Character.valueOf(input.charAt(ctr)).toString())) {
continue;
} else {
return false;
}
}
return true;
}
}
여기 내 코드가 있어, 이것이 너에게 도움이 되기를 바래!
public boolean isDigitOnly(String text){
boolean isDigit = false;
if (text.matches("[0-9]+") && text.length() > 2) {
isDigit = true;
}else {
isDigit = false;
}
return isDigit;
}
Java 8 스트림 및 람다가 포함된 솔루션
String data = "12345";
boolean isOnlyNumbers = data.chars().allMatch(Character::isDigit);
여기 견본이 있다.필요에 따라 문자열 및 프로세스 형식에서 숫자만 찾으십시오.
text.replaceAll("\\d(?!$)", "$0 ");
자세한 내용은 Google 워드프로세서 https://developer.android.com/reference/java/util/regex/Pattern에서 패턴을 사용할 수 있는 위치를 확인하십시오.
StringUtils.isNumeric("1234")
이 일은 잘 된다.
이 코드는 이미 작성되었다.(극히) 사소한 성능 적중(regex 매치를 수행하는 것과 다름없을 경우, Integer.parseInt() 또는 Double.parseDouble()을 사용하십시오.문자열이 숫자(또는 해당 시 숫자)에만 해당하는지 바로 알 수 있다.만약 당신이 더 긴 숫자의 줄을 다룰 필요가 있다면, BigInteger와 BigDecimal 스포츠 제작자 모두 스트링을 받아들이는 것이다.이 중 어떤 것도 숫자를 던질 것이다.FormatException을 non-숫자(물론 선택한 번호에 따라 통합 또는 십진수)로 전달하려는 경우.또는 필요에 따라 문자열의 문자를 반복하고 문자.isDigit() 및/또는 문자.isLetter()를 선택하십시오.
Character first_letter_or_number = query.charAt(0);
//------------------------------------------------------------------------------
if (Character.isDigit())
{
}
else if (Character.isLetter())
{
}
작업 테스트 예
import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.apache.commons.lang3.StringUtils;
public class PaserNo {
public static void main(String args[]) {
String text = "gg";
if (!StringUtils.isBlank(text)) {
if (stringContainsNumber(text)) {
int no=Integer.parseInt(text.trim());
System.out.println("inside"+no);
} else {
System.out.println("Outside");
}
}
System.out.println("Done");
}
public static boolean stringContainsNumber(String s) {
Pattern p = Pattern.compile("[0-9]");
Matcher m = p.matcher(s);
return m.find();
}
}
그래도 "1a" 등으로 코드가 끊어질 수 있으므로 예외를 확인하십시오.
if (!StringUtils.isBlank(studentNbr)) {
try{
if (isStringContainsNumber(studentNbr)){
_account.setStudentNbr(Integer.parseInt(studentNbr.trim()));
}
}catch(Exception e){
e.printStackTrace();
logger.info("Exception during parse studentNbr"+e.getMessage());
}
}
no is 문자열 여부를 확인하는 방법
private boolean isStringContainsNumber(String s) {
Pattern p = Pattern.compile("[0-9]");
Matcher m = p.matcher(s);
return m.find();
}
그러한 전형적인 시나리오에 예외를 두거나 다루는 것은 나쁜 관행이다.
따라서 parseInt()는 좋지 않지만, regex는 이를 위한 우아한 해결책이지만, 다음 사항을 처리한다.
수 '', 는 '.comption 같은(는) 수 있다.
-때로는 공백이나 쉼표와 같은 이른바 천 개의 구분자를 가질 수 있다(예: 12,324,1000.355).
응용 프로그램에 필요한 모든 사례를 처리하려면 주의해야 하지만 이 regex는 일반적인 시나리오(양극/음극 및 소수점, 점으로 구분): ^[-+]?\d*?\d+$
테스트를 위해서는 regexr.com을 추천한다.
아담 보드로기의 약간 수정된 버전:
public class NumericStr {
public static void main(String[] args) {
System.out.println("Matches: "+NumericStr.isNumeric("20")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("20,00")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("30.01")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("30,000.01")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("-2980")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("$20")); // Should be true
System.out.println("Matches: "+NumericStr.isNumeric("jdl")); // Should be false
System.out.println("Matches: "+NumericStr.isNumeric("2lk0")); // Should be false
}
public static boolean isNumeric(String stringVal) {
if (stringVal.matches("^[\\$]?[-+]?[\\d\\.,]*[\\.,]?\\d+$")) {
return true;
}
return false;
}
}
오늘 이걸 써야 해서 수정사항 올려놨어.통화, 수천 개의 쉼표 또는 마침표 표기법 및 일부 검증 포함.다른 통화 표기(유로, 센트)는 포함하지 않으며, 확인 쉼표는 3분의 1자리마다 있다.
public class Test{
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
String str;
boolean status=false;
System.out.println("Enter the String : ");
str = sc.nextLine();
char ch[] = str.toCharArray();
for(int i=0;i<ch.length;i++) {
if(ch[i]=='1'||ch[i]=='2'||ch[i]=='3'||ch[i]=='4'||ch[i]=='5'||ch[i]=='6'||ch[i]=='7'||ch[i]=='8'||ch[i]=='9'||ch[i]=='0') {
ch[i] = 0;
}
}
for(int i=0;i<ch.length;i++) {
if(ch[i] != 0) {
System.out.println("Mixture of letters and Digits");
status = false;
break;
}
else
status = true;
}
if(status == true){
System.out.println("Only Digits are present");
}
}
}
'Programing' 카테고리의 다른 글
중단점 목록을 저장하도록 GDB 가져오기 (0) | 2022.05.08 |
---|---|
라디오 그룹 Vuetify 중앙 집중화 (0) | 2022.05.07 |
Vue: 계산된 속성의 초기 트리거링 (0) | 2022.05.07 |
파이톤 바인딩, 어떻게 되는거야? (0) | 2022.05.07 |
단순 vue 앱이 아무것도 표시되지 않음 (0) | 2022.05.07 |