Reputation: 2349
I want to know how I can get a random text variable in jQuery like this format:
15 digit random combination of letters and numbers in the first part and '@domain.com' in the second part which remains the same.
I want to get real random entries that are different all the time.
how to do this with javascript or jquery?
Thanks
Upvotes: 8
Views: 17664
Reputation: 1
I think this is better, 1 line of code.
Math.random().toString(36).substring(2)+'@'+(Math.random() * 0xffff).toString(36);
Upvotes: 0
Reputation: 282
Lets do the trick with toSting to generate alphanumeric string
return Math.random().toString(36).substring(2,11) + '@domain.com';
shortest as possible
If you like to have first character a letter, it could be combination with selection of the first character from the character list
var chars = 'abcdefghijklmnopqrstuvwxyz';
return chars[Math.floor(Math.random()*26)] + Math.random().toString(36).substring(2,11) + '@domain.com';
Upvotes: 2
Reputation: 57095
chance.email()
chance.email({domain: "example.com"})
Return a random email with a random domain.
chance.email()
=> '[email protected]'
Optionally specify a domain and the email will be random but the domain will not.
chance.email({domain: 'example.com')
=> '[email protected]'
function makeEmail() {
var strValues = "abcdefg12345";
var strEmail = "";
var strTmp;
for (var i = 0; i < 10; i++) {
strTmp = strValues.charAt(Math.round(strValues.length * Math.random()));
strEmail = strEmail + strTmp;
}
strTmp = "";
strEmail = strEmail + "@";
for (var j = 0; j < 8; j++) {
strTmp = strValues.charAt(Math.round(strValues.length * Math.random()));
strEmail = strEmail + strTmp;
}
strEmail = strEmail + ".com"
return strEmail;
}
console.log(makeEmail());
Upvotes: 10
Reputation: 7895
var chars = 'abcdefghijklmnopqrstuvwxyz1234567890';
var string = '';
for(var ii=0; ii<15; ii++){
string += chars[Math.floor(Math.random() * chars.length)];
}
alert(string + '@domain.com');
This will randomly pick characters to add to the email string.
Note that this might, once in a blue moon, generate duplicates. In order to completely eliminate duplicates, you would have to store all generated strings and check to make sure that the one you are generating is unique.
Upvotes: 9
Reputation: 24005
Using the answers from generate a string of 5 random characters
function getRandomEmail(domain,length)
{
var text = "";
var possible = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789";
for( var i=0; i < length; i++ )
text += possible.charAt(Math.floor(Math.random() * possible.length));
return text + domain;
}
var email = getRandomEmail("@domain.com",15);
Upvotes: 4