- Instant help with your JavaScript coding problems

Generate UUID in JavaScript

Question:
How to generate UUID in JavaScript?
Answer:
function getUUID() {
    return ([1e7]+-1e3+-4e3+-8e3+-1e11).replace(/[018]/g, c =>
      (c ^ crypto.getRandomValues(new Uint8Array(1))[0] & 15 >> c / 4).toString(16)
    );
}

const guid = getUUID();

console.log(guid); // a902e165-78f1-423f-866d-b3c51610e9be
Description:

To generate a globally unique id (UUID or GUID) doesn't require external libraries, as the Crypto API is present in modern browsers. Unfortunately, the simplest one-line solution (randomUUID ) is not yet available in Safari browsers. However, you can still write a simple function to generate UUID using the getRandomValues function that is already widely supported.

Note: It is not recommended to generate UUID using the Math.random function.

Share "How to generate UUID in JavaScript?"