I need to create a unique ID or reference number that's based on the current time format yymmddHHmmss + (sequence 0-9). I know about UUID but I prefer this instead. Can someone show me how to do it in Java? Thanks.
Unique ID based on Current Date Format yymmddHHmmss in Java
1.3k Views Asked by Master EZ At
2
There are 2 best solutions below
4

Use simple date formatter to format the current timestamp to 'yymmddHHmmss' and use a global variable to get the sequence number for that timestamp.
private static final int MIN_SEQ = 0;
private static final int MAX_SEQ = 9;
private String lastDate = new SimpleDateFormat("yyMMddHHmmss").format(new Date());
private int lastSequence = 0;
private static String getUID()
{
String currentDateTime = new SimpleDateFormat("yyMMddHHmmss").format(new Date());
if (currentDateTime.equals(lastDate))
{
lastSequence++;
}
else
{
lastDate = currentDateTime;
lastSequence = MIN_SEQ;
}
if (lastSequence > MAX_SEQ)
{
throw new IllegalStateException("Sequence numbers out of range.!");
}
return lastDate + lastSequence;
}
Output
2104211714401
2104211714402
2104211714403
2104211714404
2104211714405
2104211714406
2104211714410
2104211714411
2104211714412
2104211714413
2104211714414
java.time
I recommend that you use java.time, the modern Java date and time API, for your date and time work. Here’s a suggestion doing so.
It will break miserably under the following two circumstances:
It will also give non-increasing IDs if the program happens to be running by New Year 2100. Since a
LocalDateTime
includes full year, it will continue running and giving IDs, though.Why not try it out?
In one case output was:
Link
Oracle tutorial: Date Time explaining how to use java.time.