DevBase.Cryptography 1.0.6

dotnet add package DevBase.Cryptography --version 1.0.6
                    
NuGet\Install-Package DevBase.Cryptography -Version 1.0.6
                    
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="DevBase.Cryptography" Version="1.0.6" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="DevBase.Cryptography" Version="1.0.6" />
                    
Directory.Packages.props
<PackageReference Include="DevBase.Cryptography" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add DevBase.Cryptography --version 1.0.6
                    
#r "nuget: DevBase.Cryptography, 1.0.6"
                    
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
#:package DevBase.Cryptography@1.0.6
                    
#:package directive can be used in C# file-based apps starting in .NET 10 preview 4. Copy this into a .cs file before any lines of code to reference the package.
#addin nuget:?package=DevBase.Cryptography&version=1.0.6
                    
Install as a Cake Addin
#tool nuget:?package=DevBase.Cryptography&version=1.0.6
                    
Install as a Cake Tool

DevBase.Cryptography

DevBase.Cryptography provides cryptographic implementations for .NET 9.0, including Blowfish encryption and MD5 hashing. The library focuses on performance and ease of use.

Features

  • Blowfish Encryption - CBC mode implementation
  • MD5 Hashing - Fast MD5 hash generation
  • Span<T> Support - Memory-efficient operations
  • No External Dependencies - Pure .NET implementation

Installation

dotnet add package DevBase.Cryptography

Blowfish Encryption

Blowfish is a symmetric block cipher that encrypts data in 8-byte blocks using CBC (Cipher Block Chaining) mode.

Basic Usage

using DevBase.Cryptography.Blowfish;

// Create cipher with key
byte[] key = Encoding.UTF8.GetBytes("my-secret-key");
var blowfish = new Blowfish(key);

// Prepare data (must be multiple of 8 bytes)
byte[] data = Encoding.UTF8.GetBytes("Hello World!"); // 12 bytes
byte[] paddedData = PadData(data); // Pad to 16 bytes

// Initialization vector (must be 8 bytes)
byte[] iv = new byte[8];
RandomNumberGenerator.Fill(iv);

// Encrypt
bool success = blowfish.Encrypt(paddedData, iv);

// Decrypt
bool decrypted = blowfish.Decrypt(paddedData, iv);
string result = Encoding.UTF8.GetString(paddedData).TrimEnd('\0');

Encryption Example

using DevBase.Cryptography.Blowfish;
using System.Security.Cryptography;

public byte[] EncryptData(string plaintext, string password)
{
    // Generate key from password
    byte[] key = Encoding.UTF8.GetBytes(password);
    
    // Pad data to multiple of 8
    byte[] data = Encoding.UTF8.GetBytes(plaintext);
    int paddedLength = (data.Length + 7) / 8 * 8;
    byte[] paddedData = new byte[paddedLength];
    Array.Copy(data, paddedData, data.Length);
    
    // Generate random IV
    byte[] iv = new byte[8];
    RandomNumberGenerator.Fill(iv);
    
    // Encrypt
    var blowfish = new Blowfish(key);
    blowfish.Encrypt(paddedData, iv);
    
    // Combine IV + encrypted data
    byte[] result = new byte[8 + paddedData.Length];
    Array.Copy(iv, 0, result, 0, 8);
    Array.Copy(paddedData, 0, result, 8, paddedData.Length);
    
    return result;
}

Decryption Example

public string DecryptData(byte[] encrypted, string password)
{
    // Extract IV and data
    byte[] iv = new byte[8];
    Array.Copy(encrypted, 0, iv, 0, 8);
    
    byte[] data = new byte[encrypted.Length - 8];
    Array.Copy(encrypted, 8, data, 0, data.Length);
    
    // Decrypt
    byte[] key = Encoding.UTF8.GetBytes(password);
    var blowfish = new Blowfish(key);
    blowfish.Decrypt(data, iv);
    
    // Remove padding and convert to string
    string result = Encoding.UTF8.GetString(data).TrimEnd('\0');
    return result;
}

Using Codec Directly

using DevBase.Cryptography.Blowfish;

// Create codec
byte[] key = Encoding.UTF8.GetBytes("secret");
var codec = new Codec(key);

// Encrypt single block (8 bytes)
Span<byte> block = stackalloc byte[8];
// ... fill block with data
codec.Encrypt(block);

// Decrypt
codec.Decrypt(block);

MD5 Hashing

Fast MD5 hash generation for data integrity checks.

Basic Usage

using DevBase.Cryptography.MD5;

// Hash string
string input = "Hello World";
string hash = MD5.Hash(input);
Console.WriteLine(hash); // "b10a8db164e0754105b7a99be72e3fe5"

// Hash bytes
byte[] data = Encoding.UTF8.GetBytes("Hello World");
string hash = MD5.Hash(data);

File Hashing

using DevBase.Cryptography.MD5;
using DevBase.IO;

// Hash file
byte[] fileData = AFile.ReadFile("document.pdf").ToArray();
string fileHash = MD5.Hash(fileData);
Console.WriteLine($"File hash: {fileHash}");

Verify Data Integrity

public bool VerifyIntegrity(byte[] data, string expectedHash)
{
    string actualHash = MD5.Hash(data);
    return actualHash.Equals(expectedHash, StringComparison.OrdinalIgnoreCase);
}

Advanced Usage

Blowfish with Custom Padding

public static byte[] PadPKCS7(byte[] data)
{
    int blockSize = 8;
    int paddingLength = blockSize - (data.Length % blockSize);
    byte[] padded = new byte[data.Length + paddingLength];
    
    Array.Copy(data, padded, data.Length);
    
    // Fill padding bytes with padding length value
    for (int i = data.Length; i < padded.Length; i++)
    {
        padded[i] = (byte)paddingLength;
    }
    
    return padded;
}

public static byte[] UnpadPKCS7(byte[] data)
{
    int paddingLength = data[data.Length - 1];
    byte[] unpadded = new byte[data.Length - paddingLength];
    Array.Copy(data, unpadded, unpadded.Length);
    return unpadded;
}

Stream Encryption

public void EncryptStream(Stream input, Stream output, byte[] key, byte[] iv)
{
    var blowfish = new Blowfish(key);
    byte[] buffer = new byte[8]; // Blowfish block size
    
    int bytesRead;
    while ((bytesRead = input.Read(buffer, 0, 8)) > 0)
    {
        if (bytesRead < 8)
        {
            // Pad last block
            Array.Clear(buffer, bytesRead, 8 - bytesRead);
        }
        
        blowfish.Encrypt(buffer, iv);
        output.Write(buffer, 0, 8);
        
        // Update IV for CBC mode
        Array.Copy(buffer, iv, 8);
    }
}

Deezer Audio Decryption

Blowfish is used by Deezer for audio file encryption:

using DevBase.Cryptography.Blowfish;

public byte[] DecryptDeezerAudio(byte[] encryptedData, string trackId)
{
    // Generate Deezer-specific key
    string secret = "g4el58wc0zvf9na1";
    string idMd5 = MD5.Hash(trackId);
    
    byte[] key = new byte[16];
    for (int i = 0; i < 16; i++)
    {
        key[i] = (byte)(idMd5[i] ^ idMd5[i + 16] ^ secret[i]);
    }
    
    // Decrypt in 2048-byte chunks
    var blowfish = new Blowfish(key);
    byte[] iv = new byte[] { 0, 1, 2, 3, 4, 5, 6, 7 };
    
    for (int i = 0; i < encryptedData.Length; i += 2048)
    {
        int chunkSize = Math.Min(2048, encryptedData.Length - i);
        if (chunkSize % 8 == 0)
        {
            Span<byte> chunk = encryptedData.AsSpan(i, chunkSize);
            blowfish.Decrypt(chunk, iv);
        }
    }
    
    return encryptedData;
}

Performance Considerations

Blowfish

  • Block Size: 8 bytes - data must be padded to multiples of 8
  • Key Size: Variable (1-56 bytes recommended)
  • CBC Mode: Requires 8-byte initialization vector
  • Span<T>: Uses Span<byte> for zero-allocation operations

MD5

  • Fast: Optimized for speed
  • Not Cryptographically Secure: Use only for checksums, not passwords
  • Output: 32-character hexadecimal string

Security Notes

⚠️ Important Security Considerations:

  1. MD5 is not secure for password hashing - use bcrypt, Argon2, or PBKDF2 instead
  2. Blowfish key management - Store keys securely, never hardcode
  3. IV generation - Always use cryptographically secure random IVs
  4. Padding - Implement proper padding to avoid padding oracle attacks
  5. Modern alternatives - Consider AES for new projects

Common Use Cases

Use Case 1: File Encryption

public void EncryptFile(string inputPath, string outputPath, string password)
{
    byte[] data = File.ReadAllBytes(inputPath);
    byte[] encrypted = EncryptData(Encoding.UTF8.GetString(data), password);
    File.WriteAllBytes(outputPath, encrypted);
}

Use Case 2: Data Integrity Verification

public bool VerifyDownload(string filePath, string expectedMd5)
{
    byte[] fileData = File.ReadAllBytes(filePath);
    string actualMd5 = MD5.Hash(fileData);
    return actualMd5.Equals(expectedMd5, StringComparison.OrdinalIgnoreCase);
}

Use Case 3: Secure Communication

public byte[] EncryptMessage(string message, byte[] sharedKey)
{
    byte[] data = Encoding.UTF8.GetBytes(message);
    byte[] paddedData = PadPKCS7(data);
    
    byte[] iv = new byte[8];
    RandomNumberGenerator.Fill(iv);
    
    var blowfish = new Blowfish(sharedKey);
    blowfish.Encrypt(paddedData, iv);
    
    // Prepend IV
    byte[] result = new byte[8 + paddedData.Length];
    Array.Copy(iv, result, 8);
    Array.Copy(paddedData, 0, result, 8, paddedData.Length);
    
    return result;
}

Credits

Blowfish Implementation

Based on jdvor/encryption-blowfish

License: MIT License

The implementation has been integrated into DevBase for ecosystem consistency.

Target Framework

  • .NET 9.0

Dependencies

  • No external dependencies (pure .NET)

License

MIT License - See LICENSE file for details

Author

AlexanderDotH

Repository

https://github.com/AlexanderDotH/DevBase

Product Compatible and additional computed target framework versions.
.NET net9.0 is compatible.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed.  net10.0 was computed.  net10.0-android was computed.  net10.0-browser was computed.  net10.0-ios was computed.  net10.0-maccatalyst was computed.  net10.0-macos was computed.  net10.0-tvos was computed.  net10.0-windows was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.
  • net9.0

    • No dependencies.

NuGet packages (3)

Showing the top 3 NuGet packages that depend on DevBase.Cryptography:

Package Downloads
DevBase.Api

DevBase.Api is designed to connect to certain api endpoints including Replicate.com, Tidal and Deezer

DevBase.Avalonia

This is a special utility made for avalonia ui and has some helper functions

DevBase.Net

A modern, high-performance HTTP client library for .NET with fluent API, proxy support, retry policies, JWT authentication, request queuing, and advanced parsing features.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
1.0.6 28 12/24/2025
1.0.5 54 12/23/2025
1.0.4 654 10/16/2023
1.0.3 1,307 6/12/2023
1.0.2 534 4/16/2023
1.0.1 541 4/13/2023
1.0.0 938 3/15/2023