将 InputStream 转换为 BigInteger
Turning an InputStream into BigInteger
public static void main(String[] args) throws IOException {
// TODO Auto-generated method stub
// Load file with 17 million digit long number
BufferedReader Br = new BufferedReader (new FileReader("test2.txt"));
String Line = Br.readLine();
try {
// create a new file with an ObjectOutputStream
FileOutputStream out = new FileOutputStream("test.txt");
ObjectOutputStream oout = new ObjectOutputStream(out);
// write the number into a new file
oout.writeObject(Line);
// close the stream
oout.close();
// create an ObjectInputStream for the new file
ObjectInputStream ois = new ObjectInputStream(new FileInputStream("test.txt"));
// convert new file into a BigInteger
BigInteger Big = (BigInteger) ois.readObject();
} catch (Exception ex) {
ex.printStackTrace();
}
}
这是我为了学习如何使用Input/OutputStream而制作的程序。一切正常,只是在尝试将我的文件转换为 BigInteger 时出现错误。
java.lang.String 无法转换为 java.math.BigInteger
在 ReadOutPutStream.main
我是新手,所以我可能犯了一个简单的错误,我做错了什么?
您使用
向文件写入了一个字符串
oout.writeObject(Line);
因此,当您从流中读取一个对象时,它也将是一个 String
。您不能将 String
转换为 BigInteger
,因此会出现异常。我从你之前的问题中知道你想要序列化 BigInteger
以在从文件系统反序列化时节省时间,因此要解决你的特定问题,你应该将 BigInteger
写入流而不是字符串:
oout.writeObject(new BigInteger(Line));
public static void main(String[] args) throws IOException {
// TODO Auto-generated method stub
// Load file with 17 million digit long number
BufferedReader Br = new BufferedReader (new FileReader("test2.txt"));
String Line = Br.readLine();
try {
// create a new file with an ObjectOutputStream
FileOutputStream out = new FileOutputStream("test.txt");
ObjectOutputStream oout = new ObjectOutputStream(out);
// write the number into a new file
oout.writeObject(Line);
// close the stream
oout.close();
// create an ObjectInputStream for the new file
ObjectInputStream ois = new ObjectInputStream(new FileInputStream("test.txt"));
// convert new file into a BigInteger
BigInteger Big = (BigInteger) ois.readObject();
} catch (Exception ex) {
ex.printStackTrace();
}
}
这是我为了学习如何使用Input/OutputStream而制作的程序。一切正常,只是在尝试将我的文件转换为 BigInteger 时出现错误。
java.lang.String 无法转换为 java.math.BigInteger
在 ReadOutPutStream.main
我是新手,所以我可能犯了一个简单的错误,我做错了什么?
您使用
向文件写入了一个字符串oout.writeObject(Line);
因此,当您从流中读取一个对象时,它也将是一个 String
。您不能将 String
转换为 BigInteger
,因此会出现异常。我从你之前的问题中知道你想要序列化 BigInteger
以在从文件系统反序列化时节省时间,因此要解决你的特定问题,你应该将 BigInteger
写入流而不是字符串:
oout.writeObject(new BigInteger(Line));