一 BigInteger类
当我们碰到需要处理一个很大的数字时,这时候肯定没法使用int和long。当然我们可以使用String来接收大数字,然后再采用拆分的方式来计算,不过这种方式很麻烦。因此在Java中为了解决这种问题,提供了BigInteger类。BigInteger类表示是大整数类,定义在java.math.*这个包中,如果操作的整数已经超过了整数的最大类型长度long,这时可以考虑使用BigInteger类来进行操作
常用方法的示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
package
javase.base;
import
java.math.BigInteger;
public
class
BigIntegerDemo {
public
static
void
main(String[] args) {
BigInteger bInteger1 =
new
BigInteger(
"1234567890"
);
BigInteger bInteger2 =
new
BigInteger(
"222222222"
);
System.out.println(
"加:"
+ bInteger1.add(bInteger2));
System.out.println(
"减: "
+ bInteger1.subtract(bInteger2));
System.out.println(
"乘: "
+ bInteger1.multiply(bInteger2));
System.out.println(
"除: "
+ bInteger1.divide(bInteger2));
System.out.println(
"较大值: "
+ bInteger1.max(bInteger2));
System.out.println(
"较小值: "
+ bInteger1.min(bInteger2));
BigInteger result[] = bInteger1.divideAndRemainder(bInteger2);
// 除法操作,结果数组分别是商和余数
System.out.println(
"商: "
+ result[
0
] +
",余数: "
+ result[
1
]);
}
}
|
输出:
1
2
3
4
5
6
7
|
加:1456790112
减: 1012345668
乘: 274348419725651580
除: 5
较大值: 1234567890
较小值: 222222222
商: 5,余数: 123456780
|
二 BigDecimal类
对于不需要精确结果的计算可以使用float和double,但是要想获得一个非常精确的结果,这时候就需要用到BigDecimal类了,同时BigDecimal类也可以进行大数的操作
常用方法示例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
|
package
javase.base;
import
java.math.BigDecimal;
public
class
BigDecimalDemo {
public
static
void
main(String[] args) {
double
d1 =
233.333
;
double
d2 =
10.24
;
BigDecimal bigDecimal1 =
new
BigDecimal(d1);
BigDecimal bigDecimal2 =
new
BigDecimal(d2);
System.out.println(
"加: "
+ bigDecimal1.add(bigDecimal2).doubleValue());
System.out.println(
"减: "
+ bigDecimal1.subtract(bigDecimal2).doubleValue());
System.out.println(
"乘: "
+ bigDecimal1.multiply(bigDecimal2).doubleValue());
//保留8位小数,向最接近数字方向舍入的舍入模式
System.out.println(
"除: "
+ bigDecimal1.divide(bigDecimal2,
8
, BigDecimal.ROUND_HALF_UP));
System.out.println(
"不进行舍入的结果: "
+ bigDecimal1.add(bigDecimal2));
}
}
|
输出:
1
2
3
4
5
|
加: 243.573
减: 223.093
乘: 2389.32992
除: 22.78642578
不进行舍入的结果: 243.5729999999999986215470926254056394100189208984375
|
注:如果想要比较两个BigInteger类型或BigDecimal类型的变量是否相等,需要像String类型一样使用.equals()方法来比较,而不是简单的使用==来比较,如:
1
2
3
4
5
6
7
8
9
10
|
public
static
void
main(String[] args) {
double
d2 =
10.24
;
BigDecimal bigDecimal2 =
new
BigDecimal(d2);
BigDecimal bigDecimal3 =
new
BigDecimal(d2);
if
(bigDecimal3 == bigDecimal2)
System.out.println(
"==来比较"
);
if
(bigDecimal3.equals(bigDecimal2))
System.out.println(
".equals()来比较"
);
}
|
输出:
1
|
.equals()来比较
|
本文转自 pangfc 51CTO博客,原文链接:http://blog.51cto.com/983836259/1758640,如需转载请自行联系原作者