मुझे डेटा शेयर करना है

हमारा सुझाव है कि सार्वजनिक पासकोड एन्क्रिप्शन के ज़्यादातर इस्तेमाल के लिए, हाइब्रिड एन्क्रिप्शन का इस्तेमाल DHKEM_X25519_HKDF_SHA256, HKDF_SHA256, AES_256_GCM कुंजी टाइप के साथ किया जाए.

सार्वजनिक पासकोड से डेटा को एन्क्रिप्ट (सुरक्षित) करने के लिए, दो कुंजियों से डेटा की सुरक्षा की जाती है: एक सार्वजनिक और दूसरी, निजी. सार्वजनिक कुंजी का इस्तेमाल एन्क्रिप्ट (सुरक्षित) करने के लिए और निजी कुंजी का इस्तेमाल डिक्रिप्शन के लिए किया जाता है. अगर भेजने वाला सीक्रेट कुंजी सेव नहीं कर सकता और उसे सार्वजनिक कुंजी से डेटा को एन्क्रिप्ट (सुरक्षित) करना है, तो यह अच्छा विकल्प है.

नीचे दिए गए उदाहरण, हाइब्रिड एन्क्रिप्शन प्रिमिटिव का इस्तेमाल करना शुरू करते हैं:

C++

// A command-line utility for testing Tink Hybrid Encryption.
#include <iostream>
#include <memory>
#include <ostream>
#include <string>

#include "absl/flags/flag.h"
#include "absl/flags/parse.h"
#include "absl/log/check.h"
#include "absl/strings/string_view.h"
#include "util/util.h"
#ifndef TINK_EXAMPLES_EXCLUDE_HPKE
#include "tink/hybrid/hpke_config.h"
#endif
#include "tink/hybrid/hybrid_config.h"
#include "tink/hybrid_decrypt.h"
#include "tink/hybrid_encrypt.h"
#include "tink/keyset_handle.h"
#include "tink/util/status.h"

ABSL_FLAG(std::string, keyset_filename, "", "Keyset file in JSON format");
ABSL_FLAG(std::string, mode, "", "Mode of operation {encrypt|decrypt}");
ABSL_FLAG(std::string, input_filename, "", "Input file name");
ABSL_FLAG(std::string, output_filename, "", "Output file name");
ABSL_FLAG(std::string, context_info, "",
          "Context info for Hybrid Encryption/Decryption");

namespace {

using ::crypto::tink::HybridDecrypt;
using ::crypto::tink::HybridEncrypt;
using ::crypto::tink::KeysetHandle;
using ::crypto::tink::util::Status;
using ::crypto::tink::util::StatusOr;

constexpr absl::string_view kEncrypt = "encrypt";
constexpr absl::string_view kDecrypt = "decrypt";

void ValidateParams() {
  // ...
}

}  // namespace

namespace tink_cc_examples {

Status HybridCli(absl::string_view mode, const std::string& keyset_filename,
                 const std::string& input_filename,
                 const std::string& output_filename,
                 absl::string_view context_info) {
  Status result = crypto::tink::HybridConfig::Register();
  if (!result.ok()) return result;
#ifndef TINK_EXAMPLES_EXCLUDE_HPKE
  // HPKE isn't supported when using OpenSSL as a backend.
  result = crypto::tink::RegisterHpke();
  if (!result.ok()) return result;
#endif

  // Read the keyset from file.
  StatusOr<std::unique_ptr<KeysetHandle>> keyset_handle =
      ReadJsonCleartextKeyset(keyset_filename);
  if (!keyset_handle.ok()) return keyset_handle.status();

  // Read the input.
  StatusOr<std::string> input_file_content = ReadFile(input_filename);
  if (!input_file_content.ok()) return input_file_content.status();

  // Compute the output.
  std::string output;
  if (mode == kEncrypt) {
    // Get the hybrid encryption primitive.
    StatusOr<std::unique_ptr<HybridEncrypt>> hybrid_encrypt_primitive =
        (*keyset_handle)
            ->GetPrimitive<crypto::tink::HybridEncrypt>(
                crypto::tink::ConfigGlobalRegistry());
    if (!hybrid_encrypt_primitive.ok()) {
      return hybrid_encrypt_primitive.status();
    }
    // Generate the ciphertext.
    StatusOr<std::string> encrypt_result =
        (*hybrid_encrypt_primitive)->Encrypt(*input_file_content, context_info);
    if (!encrypt_result.ok()) return encrypt_result.status();
    output = encrypt_result.value();
  } else {  // operation == kDecrypt.
    // Get the hybrid decryption primitive.
    StatusOr<std::unique_ptr<HybridDecrypt>> hybrid_decrypt_primitive =
        (*keyset_handle)
            ->GetPrimitive<crypto::tink::HybridDecrypt>(
                crypto::tink::ConfigGlobalRegistry());
    if (!hybrid_decrypt_primitive.ok()) {
      return hybrid_decrypt_primitive.status();
    }
    // Recover the plaintext.
    StatusOr<std::string> decrypt_result =
        (*hybrid_decrypt_primitive)->Decrypt(*input_file_content, context_info);
    if (!decrypt_result.ok()) return decrypt_result.status();
    output = decrypt_result.value();
  }

  // Write the output to the output file.
  return WriteToFile(output, output_filename);
}

}  // namespace tink_cc_examples

int main(int argc, char** argv) {
  absl::ParseCommandLine(argc, argv);

  ValidateParams();

  std::string mode = absl::GetFlag(FLAGS_mode);
  std::string keyset_filename = absl::GetFlag(FLAGS_keyset_filename);
  std::string input_filename = absl::GetFlag(FLAGS_input_filename);
  std::string output_filename = absl::GetFlag(FLAGS_output_filename);
  std::string context_info = absl::GetFlag(FLAGS_context_info);

  std::clog << "Using keyset from file " << keyset_filename << " to hybrid "
            << mode << " file " << input_filename << " with context info '"
            << context_info << "'." << std::endl;
  std::clog << "The resulting output will be written to " << output_filename
            << std::endl;

  CHECK_OK(tink_cc_examples::HybridCli(mode, keyset_filename, input_filename,
                                       output_filename, context_info));
  return 0;
}

शुरू करें


import (
	"bytes"
	"fmt"
	"log"

	"github.com/tink-crypto/tink-go/v2/hybrid"
	"github.com/tink-crypto/tink-go/v2/insecurecleartextkeyset"
	"github.com/tink-crypto/tink-go/v2/keyset"
)

func Example() {
	// A private keyset created with
	// "tinkey create-keyset --key-template=DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_AES_256_GCM --out private_keyset.cfg".
	// Note that this keyset has the secret key information in cleartext.
	privateJSONKeyset := `{
		"key": [{
				"keyData": {
						"keyMaterialType":
								"ASYMMETRIC_PRIVATE",
						"typeUrl":
								"type.googleapis.com/google.crypto.tink.HpkePrivateKey",
						"value":
								"EioSBggBEAEYAhogVWQpmQoz74jcAp5WOD36KiBQ71MVCpn2iWfOzWLtKV4aINfn8qlMbyijNJcCzrafjsgJ493ZZGN256KTfKw0WN+p"
				},
				"keyId": 958452012,
				"outputPrefixType": "TINK",
				"status": "ENABLED"
		}],
		"primaryKeyId": 958452012
  }`

	// The corresponding public keyset created with
	// "tinkey create-public-keyset --in private_keyset.cfg".
	publicJSONKeyset := `{
		"key": [{
				"keyData": {
						"keyMaterialType":
								"ASYMMETRIC_PUBLIC",
						"typeUrl":
								"type.googleapis.com/google.crypto.tink.HpkePublicKey",
						"value":
								"EgYIARABGAIaIFVkKZkKM++I3AKeVjg9+iogUO9TFQqZ9olnzs1i7Sle"
				},
				"keyId": 958452012,
				"outputPrefixType": "TINK",
				"status": "ENABLED"
		}],
		"primaryKeyId": 958452012
  }`

	// Create a keyset handle from the keyset containing the public key. Because the
	// public keyset does not contain any secrets, we can use [keyset.ReadWithNoSecrets].
	publicKeysetHandle, err := keyset.ReadWithNoSecrets(
		keyset.NewJSONReader(bytes.NewBufferString(publicJSONKeyset)))
	if err != nil {
		log.Fatal(err)
	}

	// Retrieve the HybridEncrypt primitive from publicKeysetHandle.
	encPrimitive, err := hybrid.NewHybridEncrypt(publicKeysetHandle)
	if err != nil {
		log.Fatal(err)
	}

	plaintext := []byte("message")
	encryptionContext := []byte("encryption context")
	ciphertext, err := encPrimitive.Encrypt(plaintext, encryptionContext)
	if err != nil {
		log.Fatal(err)
	}

	// Create a keyset handle from the cleartext private keyset in the previous
	// step. The keyset handle provides abstract access to the underlying keyset to
	// limit the access of the raw key material. WARNING: In practice,
	// it is unlikely you will want to use a insecurecleartextkeyset, as it implies
	// that your key material is passed in cleartext, which is a security risk.
	// Consider encrypting it with a remote key in Cloud KMS, AWS KMS or HashiCorp Vault.
	// See https://github.com/google/tink/blob/master/docs/GOLANG-HOWTO.md#storing-and-loading-existing-keysets.
	privateKeysetHandle, err := insecurecleartextkeyset.Read(
		keyset.NewJSONReader(bytes.NewBufferString(privateJSONKeyset)))
	if err != nil {
		log.Fatal(err)
	}

	// Retrieve the HybridDecrypt primitive from privateKeysetHandle.
	decPrimitive, err := hybrid.NewHybridDecrypt(privateKeysetHandle)
	if err != nil {
		log.Fatal(err)
	}

	decrypted, err := decPrimitive.Decrypt(ciphertext, encryptionContext)
	if err != nil {
		log.Fatal(err)
	}

	fmt.Println(string(decrypted))
	// Output: message
}

Java

package hybrid;

import static java.nio.charset.StandardCharsets.UTF_8;

import com.google.crypto.tink.HybridDecrypt;
import com.google.crypto.tink.HybridEncrypt;
import com.google.crypto.tink.InsecureSecretKeyAccess;
import com.google.crypto.tink.KeysetHandle;
import com.google.crypto.tink.TinkJsonProtoKeysetFormat;
import com.google.crypto.tink.hybrid.HybridConfig;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;

/**
 * A command-line utility for hybrid encryption.
 *
 * <p>It loads cleartext keys from disk - this is not recommended!
 *
 * <p>It requires the following arguments:
 *
 * <ul>
 *   <li>mode: either 'encrypt' or 'decrypt'.
 *   <li>key-file: Read the key material from this file.
 *   <li>input-file: Read the input from this file.
 *   <li>output-file: Write the result to this file.
 *   <li>[optional] contex-info: Bind the encryption to this context info.
 */
public final class HybridExample {
  public static void main(String[] args) throws Exception {
    if (args.length != 4 && args.length != 5) {
      System.err.printf("Expected 4 or 5 parameters, got %d\n", args.length);
      System.err.println(
          "Usage: java HybridExample encrypt/decrypt key-file input-file output-file context-info");
      System.exit(1);
    }

    String mode = args[0];
    if (!mode.equals("encrypt") && !mode.equals("decrypt")) {
      System.err.println("Incorrect mode. Please select encrypt or decrypt.");
      System.exit(1);
    }
    Path keyFile = Paths.get(args[1]);
    Path inputFile = Paths.get(args[2]);
    byte[] input = Files.readAllBytes(inputFile);
    Path outputFile = Paths.get(args[3]);
    byte[] contextInfo = new byte[0];
    if (args.length == 5) {
      contextInfo = args[4].getBytes(UTF_8);
    }

    // Register all hybrid encryption key types with the Tink runtime.
    HybridConfig.register();

    // Read the keyset into a KeysetHandle.
    KeysetHandle handle =
        TinkJsonProtoKeysetFormat.parseKeyset(
            new String(Files.readAllBytes(keyFile), UTF_8), InsecureSecretKeyAccess.get());

    if (mode.equals("encrypt")) {
      // Get the primitive.
      HybridEncrypt encryptor = handle.getPrimitive(HybridEncrypt.class);

      // Use the primitive to encrypt data.
      byte[] ciphertext = encryptor.encrypt(input, contextInfo);
      Files.write(outputFile, ciphertext);
    } else {
      HybridDecrypt decryptor = handle.getPrimitive(HybridDecrypt.class);

      // Use the primitive to decrypt data.
      byte[] plaintext = decryptor.decrypt(input, contextInfo);
      Files.write(outputFile, plaintext);
    }
  }

  private HybridExample() {}
}

Obj-C

कैसे करें

Python

import tink
from tink import hybrid
from tink import secret_key_access


def example():
  """Encrypt and decrypt using hybrid encryption."""
  # Register the hybrid encryption key managers. This is needed to create
  # HybridEncrypt and HybridDecrypt primitives later.
  hybrid.register()

  # A private keyset created with
  # tinkey create-keyset \
  #   --key-template=DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_AES_256_GCM \
  #   --out private_keyset.cfg
  # Note that this keyset has the secret key information in cleartext.
  private_keyset = r"""{
      "key": [{
          "keyData": {
              "keyMaterialType":
                  "ASYMMETRIC_PRIVATE",
              "typeUrl":
                  "type.googleapis.com/google.crypto.tink.HpkePrivateKey",
              "value":
                  "EioSBggBEAEYAhogVWQpmQoz74jcAp5WOD36KiBQ71MVCpn2iWfOzWLtKV4aINfn8qlMbyijNJcCzrafjsgJ493ZZGN256KTfKw0WN+p"
          },
          "keyId": 958452012,
          "outputPrefixType": "TINK",
          "status": "ENABLED"
      }],
      "primaryKeyId": 958452012
  }"""

  # The corresponding public keyset created with
  # "tinkey create-public-keyset --in private_keyset.cfg"
  public_keyset = r"""{
      "key": [{
          "keyData": {
              "keyMaterialType":
                  "ASYMMETRIC_PUBLIC",
              "typeUrl":
                  "type.googleapis.com/google.crypto.tink.HpkePublicKey",
              "value":
                  "EgYIARABGAIaIFVkKZkKM++I3AKeVjg9+iogUO9TFQqZ9olnzs1i7Sle"          },
          "keyId": 958452012,
          "outputPrefixType": "TINK",
          "status": "ENABLED"
      }],
      "primaryKeyId": 958452012
  }"""

  # Create a keyset handle from the keyset containing the public key. Because
  # this keyset does not contain any secrets, we can use
  # `parse_without_secret`.
  public_keyset_handle = tink.json_proto_keyset_format.parse_without_secret(
      public_keyset
  )

  # Retrieve the HybridEncrypt primitive from the keyset handle.
  enc_primitive = public_keyset_handle.primitive(hybrid.HybridEncrypt)

  # Use enc_primitive to encrypt a message. In this case the primary key of the
  # keyset will be used (which is also the only key in this example).
  ciphertext = enc_primitive.encrypt(b'message', b'context_info')

  # Create a keyset handle from the private keyset. The keyset handle provides
  # abstract access to the underlying keyset to limit the exposure of accessing
  # the raw key material. WARNING: In practice, it is unlikely you will want to
  # use a tink.json_proto_keyset_format.parse, as it implies that your key
  # material is passed in cleartext which is a security risk.
  private_keyset_handle = tink.json_proto_keyset_format.parse(
      private_keyset, secret_key_access.TOKEN
  )

  # Retrieve the HybridDecrypt primitive from the private keyset handle.
  dec_primitive = private_keyset_handle.primitive(hybrid.HybridDecrypt)

  # Use dec_primitive to decrypt the message. Decrypt finds the correct key in
  # the keyset and decrypts the ciphertext. If no key is found or decryption
  # fails, it raises an error.
  decrypted = dec_primitive.decrypt(ciphertext, b'context_info')

हाइब्रिड एन्क्रिप्शन

हाइब्रिड एन्क्रिप्शन प्रिमिटिव, सार्वजनिक कुंजी (ऐसिमेट्रिक) क्रिप्टोग्राफ़ी की सुविधा के साथ सिमेट्रिक एन्क्रिप्शन की क्षमता को जोड़ता है. कोई भी व्यक्ति सार्वजनिक कुंजी का इस्तेमाल करके डेटा को एन्क्रिप्ट (सुरक्षित) कर सकता है, लेकिन सिर्फ़ निजी कुंजी वाले उपयोगकर्ता ही डेटा को डिक्रिप्ट कर सकते हैं.

हाइब्रिड एन्क्रिप्शन के लिए, मैसेज भेजने वाला हर मैसेज के सादे टेक्स्ट को एन्क्रिप्ट (सुरक्षित) करने के लिए, एक नई सिमेट्रिक कुंजी जनरेट करता है. ऐसा करके, उस मैसेज को एन्क्रिप्ट करने में मदद मिलती है. सिमेट्रिक कुंजी को पाने वाले की सार्वजनिक कुंजी के साथ एनकैप्सुलेट किया जाता है. हाइब्रिड डिक्रिप्शन के लिए, पाने वाले व्यक्ति सिमेट्रिक कुंजी को डिकैप्सुलेट करते हैं. इसके बाद, मूल सादे टेक्स्ट को वापस पाने के लिए, सिफ़रटेक्स्ट को डिक्रिप्ट करने के लिए इसका इस्तेमाल किया जाता है. एन्क्रिप्ट (सुरक्षित) करने के लिए इस्तेमाल किए गए टेक्स्ट को एन्क्रिप्ट (सुरक्षित) करने के तरीके और पासकोड को एन्क्रिप्ट (सुरक्षित) करने के तरीके के बारे में जानने के लिए, Tink हाइब्रिड एन्क्रिप्शन वायर फ़ॉर्मैट देखें.

हाइब्रिड एन्क्रिप्शन में ये प्रॉपर्टी होती हैं:

  • निजता: एन्क्रिप्ट (सुरक्षित) किए गए सादे टेक्स्ट के बारे में कोई भी जानकारी (अवधि को छोड़कर) तब तक नहीं पाई जा सकती, जब तक कि उसके पास निजी कुंजी का ऐक्सेस न हो.
  • असमानता: साइफ़रटेक्स्ट को सार्वजनिक कुंजी से एन्क्रिप्ट किया जा सकता है, लेकिन डिक्रिप्शन के लिए निजी कुंजी की ज़रूरत होती है.
  • किसी भी क्रम में लगाने की सुविधा: एन्क्रिप्ट (सुरक्षित) करने का तरीका किसी भी क्रम में लगाया जाता है. एक ही सादे टेक्स्ट वाले दो मैसेज, एक ही सादे टेक्स्ट में नहीं जाएंगे. इससे हमलावरों को यह पता नहीं चल पाता कि कौनसा साइफ़रटेक्स्ट, दिए गए सादे टेक्स्ट से जुड़ा है.

हाइब्रिड एन्क्रिप्शन को Tink में, प्रिमिटिव के जोड़े के तौर पर दिखाया जाता है:

  • एन्क्रिप्ट (सुरक्षित) करने के लिए, HybridEncrypt का इस्तेमाल करना
  • डिक्रिप्शन के लिए HybridDecrypt

कॉन्टेक्स्ट जानकारी पैरामीटर

सादे टेक्स्ट के अलावा, हाइब्रिड एन्क्रिप्शन में एक और पैरामीटर context_info स्वीकार किया जाता है. आम तौर पर, यह सार्वजनिक डेटा किसी कॉन्टेक्स्ट से मिलता-जुलता होता है. हालांकि, इसे तय किए गए साइफ़रटेक्स्ट से ही तय किया जाना चाहिए. इसका मतलब है कि एन्क्रिप्ट (सुरक्षित) करने की सुविधा की मदद से, यह पुष्टि की जा सकती है कि कॉन्टेक्स्ट की जानकारी भरोसेमंद है या नहीं. हालांकि, इस बात की कोई गारंटी नहीं है कि जानकारी गोपनीय या भरोसेमंद है. संदर्भ की असल जानकारी खाली या शून्य हो सकती है. हालांकि, यह पक्का करने के लिए कि नतीजे वाले साइफ़रटेक्स्ट को सही तरीके से डिक्रिप्शन किया गया हो, डिक्रिप्शन के लिए वही कॉन्टेक्स्ट जानकारी वैल्यू दी जानी चाहिए.

हाइब्रिड एन्क्रिप्शन को एक साथ लागू करने से, कॉन्टेक्स्ट की जानकारी को साइफ़रटेक्स्ट से कई तरह से जोड़ा जा सकता है. उदाहरण के लिए:

  • AEAD सिमेट्रिक एन्क्रिप्शन के लिए, असोसिएट किए गए डेटा इनपुट के रूप में context_info का इस्तेमाल करें (cf. RFC 5116).
  • HKDF के लिए, context_info को “CtxInfo” इनपुट के तौर पर इस्तेमाल करें. अगर लागू करने के लिए, HKDF का इस्तेमाल मुख्य डेरिवेशन फ़ंक्शन के तौर पर किया जाता है, सीएफ़. आरएफ़सी 5869.

कोई कुंजी टाइप चुनें

हमारा सुझाव है कि इस्तेमाल के ज़्यादातर मामलों में, DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_AES_256_GCM कुंजी टाइप का इस्तेमाल करें. यह कुंजी टाइप, आरएफ़सी 9180 में बताए गए हाइब्रिड पब्लिक पासकोड के एन्क्रिप्शन (एचपीकेई) स्टैंडर्ड को लागू करता है. एचपीकेई में एक मुख्य इनकैप्सुलेशन मैकेनिज़्म (केईएम), एक की डेरिवेशन फ़ंक्शन (केडीएफ़), और उससे जुड़े डेटा (AEAD) एल्गोरिदम के साथ पुष्टि किया गया एन्क्रिप्शन शामिल होता है.

DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_AES_256_GCM खास तौर पर काम करता है:

  • केईएम: डिफ़ी–हेलमैन ओवर Curve25519, HKDF-SHA-256
  • KDF: भेजने वाले और पाने वाले का कॉन्टेक्स्ट पाने के लिए HKDF-SHA-256.
  • AEAD: 12-बाइट वाला नॉन्स वाला AES-256-GCM, जो HPKE स्टैंडर्ड के हिसाब से जनरेट किया गया है.

काम करने वाले अन्य HPKE की कुंजियों में, इनके अलावा और भी चीज़ें शामिल हो सकती हैं:

  • DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_AES_128_GCM
  • DHKEM_X25519_HKDF_SHA256_HKDF_SHA256_CHACHA20_POLY1305
  • DHKEM_P256_HKDF_SHA256_HKDF_SHA256_AES_128_GCM
  • DHKEM_P521_HKDF_SHA512_HKDF_SHA512_AES_256_GCM

KEM, KDF, और AEAD के लिए एल्गोरिदम के विकल्पों के बारे में ज़्यादा जानकारी के लिए, RFC 9180 देखें.

हालांकि, अब इसका सुझाव नहीं दिया जाता है, लेकिन Tink ईसीईईएस के कुछ वैरिएंट के साथ भी काम करता है, जैसा कि विक्टर शोप के आईएसओ 18033-2 स्टैंडर्ड में बताया गया है. कुछ काम करने वाले ECIES कुंजी के टाइप नीचे दिए गए हैं:

  • ECIES_P256_HKDF_HMAC_SHA256_AES128_GCM
  • ECIES_P256_COMPRESSED_HKDF_HMAC_SHA256_AES128_GCM
  • ECIES_P256_HKDF_HMAC_SHA256_AES128_CTR_HMAC_SHA256
  • ECIES_P256_COMPRESSED_HKDF_HMAC_SHA256_AES128_CTR_HMAC_SHA256

कम से कम प्रॉपर्टी

  • सादे टेक्स्ट और कॉन्टेक्स्ट की जानकारी की लंबाई, अपने हिसाब से सेट की जा सकती है (0..232 बाइट की रेंज में)
  • ज़रूरत के हिसाब से चुने गए साइफ़रटेक्स्ट हमलों से सुरक्षित रहें
  • एलिप्टिक कर्व आधारित स्कीम के लिए 128-बिट सिक्योरिटी