如何将字符串转换为BigInteger?


82

我正在尝试从标准输入中读取一些非常大的数字,并将它们加在一起。

但是,要添加到BigInteger,我需要使用BigInteger.valueOf(long);

private BigInteger sum = BigInteger.valueOf(0);

private void sum(String newNumber) {
    // BigInteger is immutable, reassign the variable:
    sum = sum.add(BigInteger.valueOf(Long.parseLong(newNumber)));
}

效果很好,但由于BigInteger.valueOf()只有a long,因此我无法添加大于long的最大值(9223372036854775807)的数字。

每当我尝试添加9223372036854775808或更多时,都会收到NumberFormatException(完全可以预期)。

有类似的东西BigInteger.parseBigInteger(String)吗?

Answers:


140

使用构造函数

BigInteger(字符串val)

将BigInteger的十进制字符串表示形式转换为BigInteger。

Java文档


我尝试了相同的操作,但遇到了问题,因为我错过了导入java.math.BigInteger的问题
Arun,

23

根据文档

BigInteger(字符串val)

将BigInteger的十进制字符串表示形式转换为BigInteger。

这意味着您可以使用String来初始化BigInteger对象,如以下代码片段所示:

sum = sum.add(new BigInteger(newNumber));

10

BigInteger具有一个构造函数,您可以在其中传递字符串作为参数。

试试下面,

private void sum(String newNumber) {
    // BigInteger is immutable, reassign the variable:
    this.sum = this.sum.add(new BigInteger(newNumber));
}

8

您可以直接使用使用字符串参数的BigInteger构造函数,而不必使用valueOf(long)parse()

BigInteger numBig = new BigInteger("8599825996872482982482982252524684268426846846846846849848418418414141841841984219848941984218942894298421984286289228927948728929829");

那应该给您期望的价值。


2

对于要在其中一个转换循环arraystrings一个arraybigIntegers做到这一点:

String[] unsorted = new String[n]; //array of Strings
BigInteger[] series = new BigInteger[n]; //array of BigIntegers

for(int i=0; i<n; i++){
    series[i] = new BigInteger(unsorted[i]); //convert String to bigInteger
}

0

如果您想将纯文本(而不仅仅是数字)转换为BigInteger,那么您将遇到异常,如果您尝试执行以下操作:new BigInteger(“ not a Number”)

在这种情况下,您可以按照以下方式进行操作:

public  BigInteger stringToBigInteger(String string){
    byte[] asciiCharacters = string.getBytes(StandardCharsets.US_ASCII);
    StringBuilder asciiString = new StringBuilder();
    for(byte asciiCharacter:asciiCharacters){
        asciiString.append(Byte.toString(asciiCharacter));
    }
    BigInteger bigInteger = new BigInteger(asciiString.toString());
    return bigInteger;
}
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.