Best Ways to Create GUID/UUID in JavaScript
A GUID (Globally Unique Identifier) or UUID (Universally Unique Identifier) is a 128-bit value used to uniquely identify objects. JavaScript provides multiple ways to generate UUIDs, with the recommended method being crypto.randomUUID()
.
data:image/s3,"s3://crabby-images/e991a/e991a6acefc5d1b4ba466abc52497f9d7e1c860d" alt="Generate a GUID/UUID in JavaScript"
1. Using crypto.randomUUID()
(Recommended)
1 const uuid = crypto.randomUUID();2 console.log(uuid); // Output: c44ff497-9424-4355-96af-ba2690db5725
This built-in method generates a UUID v4, ensuring randomness and uniqueness. It is supported in modern browsers and Node.js (14.17+).
2. Using crypto.getRandomValues()
(Alternative Secure Method)
If you need a secure UUID v4 generator without crypto.randomUUID()
, use the following function:
1 function generateUUIDv4() {2 return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, c => {3 const r = (crypto.getRandomValues(new Uint8Array(1))[0] & 15) >> (c === 'x' ? 0 : 3);4 return (c === 'x' ? r : (r & 0x3 | 0x8)).toString(16);5 });6 }78 console.log(generateUUIDv4()); // Output: "42254574-affd-47cc-9915-0ecae592351b"
This method uses crypto.getRandomValues()
to ensure better randomness and security compared to Math.random().
3. Using Math.random()
(Fallback)
If crypto APIs are unavailable, you can use Math.random()
as a fallback:
1 function generateUUID() {2 return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function(c) {3 const r = Math.random() * 16 | 0;4 const v = c === 'x' ? r : (r & 0x3 | 0x8);5 return v.toString(16);6 });7 }89 console.log(generateUUID()); // Output: "def4ac61-c2a3-4426-af8e-580c7c862ff1"
This method is not cryptographically secure and should only be used when better alternatives are unavailable.
Conclusion
Generating a UUID in JavaScript is straightforward with multiple options available. The recommended method is crypto.randomUUID()
for modern browsers and Node.js. If not available, crypto.getRandomValues()
offers a secure alternative. As a last resort, Math.random()
can generate UUID-like values but lacks cryptographic security. Always choose the most secure method available for your use case.