我正在将此Login位设置为更大的程序,我想节省登录失败的时间并将时间戳保存到名为FailedLogins.txt的文件中。当我将时间戳变量放在fwriter.write()中时,问题是,“找不到合适的写入方法(时间戳)”。
try {
writer = new BufferedWriter( new FileWriter("UserPass.txt"));
fwriter = new BufferedWriter( new FileWriter("FailedLogins.txt"));
if(ppassword.equals(rrepassword)) {
writer.write("Name: " + ffname + " " + llname + "\n");
writer.write("Email: " + eemail + "\n");
writer.write("Password: " + ppassword + "\n\n");
}
else {
password.setText("");
repassword.setText("");
JOptionPane.showMessageDialog(null, "Your passwords do not match.");
//For Failed Logins text File
Timestamp timestamp = new Timestamp(System.currentTimeMillis());
fwriter.write(timestamp);
}
}
catch ( IOException e) {
}
finally {
try {
if ( writer != null) {
writer.close( );
}
}
catch ( IOException e) {
}
}
任何想法?
答案 0 :(得分:1)
我想你想要这个:
array1[x]
答案 1 :(得分:0)
java.io.Writer.write()方法重载只接受以下参数,
public void write(int c) throws IOException {...}
public void write(char cbuf[]) throws IOException {...}
abstract public void write(char cbuf[], int off, int len) throws IOException;
public void write(String str) throws IOException {...}
public void write(String str, int off, int len) throws IOException {...}
因此,您无法提供Timestamp
对象作为参数。
可以提供Timestamp
对象的以下字符串表示。
fwriter.write(timestamp.toString());
// Or
fwriter.write(timestamp + "");
答案 2 :(得分:0)
Instant.now().toString()
2018-01-06T22:33:12.123456Z
你正在使用现在遗留下来的麻烦的旧日期时间类,取而代之的是java.time类。
Instant
类代表UTC中时间轴上的一个时刻,分辨率为nanoseconds(小数部分最多九(9)位)。
要以UTC格式获取当前时刻,请致电Instant.now
。
Instant instant = Instant.now() ;
以标准ISO 8601格式生成字符串:YYYY-MM-DDTHH:MM:SS.SSSSSSSSSZ
String output = instant.toString() ;
2018-01-06T22:33:12.123456Z
现在您可以传递该字符串以写入您的文本文件。将日期时间值序列化为文本时,始终使用ISO 8601格式。
如您所见,默认情况下,java.time类使用ISO 8601标准格式。无需指定格式化模式。
走向另一个方向。
Instant instant = Instant.parse( "2018-01-06T22:33:12.123456Z" ) ;
在某些文件系统(例如HFS+)中不允许使用冒号作为文件名,因此请替换为其他字符。我建议使用日期部分中使用的连字符以外的其他字符,以便在需要时重建ISO 8601格式。
String output = instant.toString().replace( ":" , "_" ) ; // Replace colon with another character for compatibility across file systems.
2018-01-06T22_33_12.123456Z
java.time框架内置于Java 8及更高版本中。这些类取代了麻烦的旧legacy日期时间类,例如java.util.Date
,Calendar
和& SimpleDateFormat
现在位于Joda-Time的maintenance mode项目建议迁移到java.time类。
要了解详情,请参阅Oracle Tutorial。并搜索Stack Overflow以获取许多示例和解释。规范是JSR 310。
从哪里获取java.time类?
ThreeTen-Extra项目使用其他类扩展java.time。该项目是未来可能添加到java.time的试验场。您可以在此处找到一些有用的课程,例如Interval
,YearWeek
,YearQuarter
和more。