Doing Encryption with various well know algorithm is not so easy. Writing those and managing is bit difficult. But microsoft provides assemblies/libraries and built in classes with the help of which you can peform encryption with even writting single code of encryption algorithm.
There are two major kind of encryptions
1. Secret Key (Also know as Symmetric encryption since single key is used to encrypt and decrypt the data)
Here single shared key is maintained to secure the data from unauthorised access. These keys are used to perform the encryption and decryption of the data
2. Public Key
Here a pair of public and private key used in order to secure the data.
Now we will see example of Secret Key Encryption/Decryption (DES)
// Encrypt the string.
private void button1_Click(object sender, EventArgs e)
{
DESCryptoServiceProvider key = new DESCryptoServiceProvider();
byte[] buffer = Encrypt(textBox1.Text, key);
textBox2.Text = bytestostring(buffer);
textBox3.Text = Decrypt(buffer, key);
}
public static byte[] Encrypt(string PlainText, SymmetricAlgorithm key)
{
// Create a memory stream.
MemoryStream ms = new MemoryStream();
// Create a CryptoStream using the memory stream and the
// CSP DES key.
CryptoStream encStream = new CryptoStream(ms, key.CreateEncryptor(), CryptoStreamMode.Write);
// Create a StreamWriter to write a string
// to the stream.
StreamWriter sw = new StreamWriter(encStream);
// Write the plaintext to the stream.
sw.WriteLine(PlainText);
// Close the StreamWriter and CryptoStream.
sw.Close();
encStream.Close();
// Get an array of bytes that represents
// the memory stream.
byte[] buffer = ms.ToArray();
// Close the memory stream.
ms.Close();
// Return the encrypted byte array.
return buffer;
}
// Decrypt the byte array.
public static string Decrypt(byte[] CypherText, SymmetricAlgorithm key)
{
// Create a memory stream to the passed buffer.
MemoryStream ms = new MemoryStream(CypherText);
// Create a CryptoStream using the memory stream and the
// CSP DES key.
CryptoStream encStream = new CryptoStream(ms, key.CreateDecryptor(), CryptoStreamMode.Read);
// Create a StreamReader for reading the stream.
StreamReader sr = new StreamReader(encStream);
// Read the stream as a string.
string val = sr.ReadLine();
// Close the streams.
sr.Close();
encStream.Close();
ms.Close();
return val;
}
Here make sure that the key for the encryption and the decryption should be same in order to make it work properly. More on this will be posted soon.
Image may be NSFW.
Clik here to view.
Clik here to view.
Clik here to view.
Clik here to view.
