Learn how to use C# code in .NET Core 6 to generate a random password with a length of 10, including upper and lower case letters, digits, and special characters.
How to generate random password in .net core 6 with the length of 10
C# code to generate a random password with a length of 10 in .NET Core 6:
csharp Copy code
using System;
using System.Linq;
class Program
{
static void Main(string[] args)
{
int length = 10;
string chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789!@#$%^&*()_+";
var random = new Random();
string password = new string(Enumerable.Repeat(chars, length)
.Select(s => s[random.Next(s.Length)]).ToArray());
Console.WriteLine(password);
}
}
This code generates a random password that includes upper and lower case letters, digits, and special characters. The length of the password is specified by the length
variable. Replace the value of this variable with any desired length.
The chars
string specifies all the different characters that may be included in the password. You may modify this string to include or exclude certain characters depending on your needs.
To generate a random password, this code uses the Random
class to randomly select characters from the chars
string. The resulting characters are concatenated into a string using the string
constructor and the Enumerable.Repeat
, Select
, and ToArray
methods from the System.Linq
namespace. Finally, the resulting password is printed to the console using Console.WriteLine
.