概要
通过 DES 对称加密算法对模型数据进行加密保护,并提供了简单的接口函数 encrypt_model
和 decrypt_model
进行加解密操作。
使用固定的密钥 “helloworld” 对数据进行加解密,适用于需要基本保护模型数据的应用场景。
加密方法
-
加密流程:
- 从模型数据中取出前256个字节。
- 使用 DES 算法对这256个字节进行加密。
- 加密使用的密钥为固定字符串 “helloworld”。
-
关键代码:
std::string encrypt_model(std::string &model_context) { // Extract first 256 bytes std::string model_first_256 = model_context.substr(0, 256); // Perform DES encryption // Here, perform DES encryption using OpenSSL with key "helloworld" // The actual implementation with OpenSSL functions is not provided in the snippet. return encrypted_result; // Return encrypted model }
解密方法
-
解密流程:
- 将加密后的模型数据传入解密方法。
- 使用相同的 DES 算法和密钥 “helloworld” 对加密数据进行解密。
-
关键代码:
std::string decrypt_model(std::string &encrypt_model_context) { // Perform DES decryption // Here, perform DES decryption using OpenSSL with key "helloworld" // The actual implementation with OpenSSL functions is not provided in the snippet. return decrypted_result; // Return decrypted model }
测试代码
#include <iostream>
#include <cassert>
#include <string.h>
#include <unistd.h>
#include <vector>
#include <fstream>
#include <sstream>
#include "model_crypto.h"
std::string load_model(const std::string &model_path)
{
// deserialize the .engine and run inference
std::ifstream file(model_path, std::ios::binary);
if (!file.good())
{
std::cerr << "read " << model_path << " error!" << std::endl;
}
std::ostringstream tmp;
tmp << file.rdbuf();
return tmp.str();
}
int save_model(const std::string &model_path, const std::string &model_context)
{
std::ofstream file(model_path, std::ios::binary);
if (!file)
{
std::cerr << "could not open plan output file" << std::endl;
return -1;
}
file.write(reinterpret_cast<const char *>(model_context.data()),
model_context.length());
file.close();
}
int main(int argc, char **argv)
{
if (argc < 2)
{
std::cerr << "please input model path" << std::endl;
return false;
}
std::string model_path = argv[1];
std::string model_context;
model_context = load_model(model_path);
auto encrypt_model_context = encrypt_model(model_context);
save_model("encrypt_model.trt", encrypt_model_context);
auto decrypt_model_context = decrypt_model(encrypt_model_context);
save_model("decrypt_model.trt", decrypt_model_context);
if (model_context == encrypt_model_context)
std::cout << "false" << std::endl;
if (model_context == decrypt_model_context)
std::cout << "success" << std::endl;
return 0;
}
``
测试代码主要用于验证加密与解密方法的正确性,流程如下:
1. **加载模型**:从指定路径加载模型数据。
2. **加密模型**:调用 `encrypt_model` 方法对模型数据进行加密,并保存为文件 "encrypt_model.trt"。
3. **解密模型**:调用 `decrypt_model` 方法对加密后的模型数据进行解密,并保存为文件 "decrypt_model.trt"。
4. **验证结果**:比较解密后的模型数据与原始模型数据,如果相等则输出 "success",否则输出 "false"。