回答:
Double.parseDouble()
をに変換するString
ために使用できますdouble
。
String text = "12.34"; // example String
double value = Double.parseDouble(text);
あなたの場合、あなたが望むように見えます:
double total = Double.parseDouble(jlbTotal.getText());
double price = Double.parseDouble(jlbPrice.getText());
double total = Double.parseDouble(jlbTotal.getText());
double total = Double.parseDouble(jlbTotal.getText().replaceAll("[^0-9.]", ""));
-これは基本的に数字ではないかゼロになっているすべての文字を置き換え.
、解析される数字と小数点だけを残します。
Double
プリミティブ型の代わりにクラスの結果を検索するときにここに誘惑された人のためにdouble
使用しますDouble.valueOf(String)
。
文字列を10進数値に解析する際に問題が発生した場合は、数値の「、」を「。」に置き換える必要があります。
String number = "123,321";
double value = Double.parseDouble( number.replace(",",".") );
文字列をdoubleに戻すには、以下を試してください
String s = "10.1";
Double d = Double.parseDouble(s);
parseDoubleメソッドは望ましい効果を実現し、Double.valueOf()メソッドも実現します。
double d = Double.parseDouble(aString);
これにより、文字列aStringがdouble dに変換されます。
上記のロバーティアーノからの引用を引用します。これは、最も用途が広くローカリゼーションに対応したバージョンであるためです。それは完全な投稿に値します!
別のオプション:
DecimalFormat df = new DecimalFormat();
DecimalFormatSymbols sfs = new DecimalFormatSymbols();
sfs.setDecimalSeparator(',');
df.setDecimalFormatSymbols(sfs);
double d = df.parse(number).doubleValue();
String double_string = "100.215";
Double double = Double.parseDouble(double_string);
別の方法もあります。
Double temp = Double.valueOf(str);
number = temp.doubleValue();
Doubleはクラスで、「temp」は変数です。「番号」はあなたが探している最後の番号です。
これは私がすることです
public static double convertToDouble(String temp){
String a = temp;
//replace all commas if present with no comma
String s = a.replaceAll(",","").trim();
// if there are any empty spaces also take it out.
String f = s.replaceAll(" ", "");
//now convert the string to double
double result = Double.parseDouble(f);
return result; // return the result
}
たとえば、文字列「4 55,63。0」を入力すると、出力は2倍の数値45563.0になります
Double.parseDouble()
囲みtry/catch
ブロックなしで使用するとNumberFormatException
、入力の二重文字列が有効な形式に適合しない可能性があります。
Guavaはこのためのユーティリティメソッドを提供します。このメソッドはnull
、文字列を解析できない場合に戻ります。
Double valueDouble = Doubles.tryParse(aPotentiallyCorruptedDoubleString);
実行時に、不正な形式の文字列入力がnull
割り当てられますvalueDouble
これを使用して、intがデータ型をnumおよびnum2からintに変換する必要がある場合に、任意のString数値をdoubleに変換します。Eng: "Bader Qandeel"を使用して、任意の文字列doubleのすべてのケースを取った
public static double str2doubel(String str) {
double num = 0;
double num2 = 0;
int idForDot = str.indexOf('.');
boolean isNeg = false;
String st;
int start = 0;
int end = str.length();
if (idForDot != -1) {
st = str.substring(0, idForDot);
for (int i = str.length() - 1; i >= idForDot + 1; i--) {
num2 = (num2 + str.charAt(i) - '0') / 10;
}
} else {
st = str;
}
if (st.charAt(0) == '-') {
isNeg = true;
start++;
} else if (st.charAt(0) == '+') {
start++;
}
for (int i = start; i < st.length(); i++) {
if (st.charAt(i) == ',') {
continue;
}
num *= 10;
num += st.charAt(i) - '0';
}
num = num + num2;
if (isNeg) {
num = -1 * num;
}
return num;
}
String s = "12.34";
double num = Double.valueOf(s);