Вопрос

У меня есть сертификат в der формат, из него с помощью этой команды я генерирую открытый ключ:

openssl x509 -inform der -in ejbcacert.cer -noout -pubkey > pub1key.pub

Что приводит к этому:

-----BEGIN PUBLIC KEY-----
MIGfMA0GCSqGSIb3DQEBAQUAA4GNADCBiQKBgQC7vbqajDw4o6gJy8UtmIbkcpnk
O3Kwc4qsEnSZp/TR+fQi62F79RHWmwKOtFmwteURgLbj7D/WGuNLGOfa/2vse3G2
eHnHl5CB8ruRX9fBl/KgwCVr2JaEuUm66bBQeP5XeBotdR4cvX38uPYivCDdPjJ1
QWPdspTBKcxeFbccDwIDAQAB
-----END PUBLIC KEY-----

Как я могу получить такой открытый ключ, как этот?Либо из сертификата, либо из этого открытого ключа?

ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAAAgQC7vbqajDw4o6gJy8UtmIbkcpnkO3Kwc4qsEnSZp/TR+fQi62F79RHWmwKOtFmwteURgLbj7D/WGuNLGOfa/2vse3G2eHnHl5CB8ruRX9fBl/KgwCVr2JaEuUm66bBQeP5XeBotdR4cvX38uPYivCDdPjJ1QWPdspTBKcxeFbccDw==

Это было получено с помощью этой команды:

ssh-keygen -y -f private_key1.pem > public_key1.pub
Это было полезно?

Решение 3

Чтобы ответить на мой собственный вопрос, после публикации в списке рассылки openssl получилось следующее:

Здесь приведен код C для преобразования открытого ключа OpenSSL в открытый ключ OpenSSH. Вы можете получить код из этой ссылки и скомпилировать его самостоятельно:

static unsigned char pSshHeader[11] = { 0x00, 0x00, 0x00, 0x07, 0x73, 0x73, 0x68, 0x2D, 0x72, 0x73, 0x61};

static int SshEncodeBuffer(unsigned char *pEncoding, int bufferLen, unsigned char* pBuffer)
{
   int adjustedLen = bufferLen, index;
   if (*pBuffer & 0x80)
   {
      adjustedLen++;
      pEncoding[4] = 0;
      index = 5;
   }
   else
   {
      index = 4;
   }
   pEncoding[0] = (unsigned char) (adjustedLen >> 24);
   pEncoding[1] = (unsigned char) (adjustedLen >> 16);
   pEncoding[2] = (unsigned char) (adjustedLen >>  8);
   pEncoding[3] = (unsigned char) (adjustedLen      );
   memcpy(&pEncoding[index], pBuffer, bufferLen);
   return index + bufferLen;
}

int main(int argc, char**  argv)
{
   int iRet = 0;
   int nLen = 0, eLen = 0;
   int encodingLength = 0;
   int index = 0;
   unsigned char *nBytes = NULL, *eBytes = NULL;
   unsigned char* pEncoding = NULL;
   FILE* pFile = NULL;
   EVP_PKEY *pPubKey = NULL;
   RSA* pRsa = NULL;
   BIO *bio, *b64;

   ERR_load_crypto_strings(); 
   OpenSSL_add_all_algorithms();

   if (argc != 3)
   {
      printf("usage: %s public_key_file_name ssh_key_description\n", argv[0]);
      iRet = 1;
      goto error;
   }

   pFile = fopen(argv[1], "rt");
   if (!pFile)
   {
      printf("Failed to open the given file\n");
      iRet = 2;
      goto error;
   }

   pPubKey = PEM_read_PUBKEY(pFile, NULL, NULL, NULL);
   if (!pPubKey)
   {
      printf("Unable to decode public key from the given file: %s\n", ERR_error_string(ERR_get_error(), NULL));
      iRet = 3;
      goto error;
   }

   if (EVP_PKEY_type(pPubKey->type) != EVP_PKEY_RSA)
   {
      printf("Only RSA public keys are currently supported\n");
      iRet = 4;
      goto error;
   }

   pRsa = EVP_PKEY_get1_RSA(pPubKey);
   if (!pRsa)
   {
      printf("Failed to get RSA public key : %s\n", ERR_error_string(ERR_get_error(), NULL));
      iRet = 5;
      goto error;
   }

   // reading the modulus
   nLen = BN_num_bytes(pRsa->n);
   nBytes = (unsigned char*) malloc(nLen);
   BN_bn2bin(pRsa->n, nBytes);

   // reading the public exponent
   eLen = BN_num_bytes(pRsa->e);
   eBytes = (unsigned char*) malloc(eLen);
   BN_bn2bin(pRsa->e, eBytes);

   encodingLength = 11 + 4 + eLen + 4 + nLen;
   // correct depending on the MSB of e and N
   if (eBytes[0] & 0x80)
      encodingLength++;
   if (nBytes[0] & 0x80)
      encodingLength++;

   pEncoding = (unsigned char*) malloc(encodingLength);
   memcpy(pEncoding, pSshHeader, 11);

   index = SshEncodeBuffer(&pEncoding[11], eLen, eBytes);
   index = SshEncodeBuffer(&pEncoding[11 + index], nLen, nBytes);

   b64 = BIO_new(BIO_f_base64());
   BIO_set_flags(b64, BIO_FLAGS_BASE64_NO_NL);
   bio = BIO_new_fp(stdout, BIO_NOCLOSE);
   BIO_printf(bio, "ssh-rsa ");
   bio = BIO_push(b64, bio);
   BIO_write(bio, pEncoding, encodingLength);
   BIO_flush(bio);
   bio = BIO_pop(b64);
   BIO_printf(bio, " %s\n", argv[2]);
   BIO_flush(bio);
   BIO_free_all(bio);
   BIO_free(b64);

error:
   if (pFile)
      fclose(pFile);
   if (pRsa)
      RSA_free(pRsa);
   if (pPubKey)
      EVP_PKEY_free(pPubKey);
   if (nBytes)
      free(nBytes);
   if (eBytes)
      free(eBytes);
   if (pEncoding)
      free(pEncoding);

   EVP_cleanup();
   ERR_free_strings();
   return iRet;
}

Другие советы

Нет необходимости компилировать вещи. Вы можете сделать то же самое с ssh-keygen :

ssh-keygen -f pub1key.pub -i

будет читать открытый ключ в формате openssl из pub1key.pub и выводить его в формате OpenSSH.

Примечание . В некоторых случаях вам потребуется указать формат ввода:

ssh-keygen -f pub1key.pub -i -mPKCS8

Из документов ssh-keygen (Из man ssh-keygen):

  

-m key_format Укажите формат ключа для параметров конвертации -i (импорт) или -e (экспорт). Поддерживаются следующие форматы ключей: & # 8220; RFC4716 & # 8221; (Открытый или закрытый ключ RFC 4716 / SSH2), & # 8220; PKCS8 & # 8221; (Открытый ключ PEM PKCS8) или & # 8220; PEM & # 8221; (Открытый ключ PEM). Формат преобразования по умолчанию - & # 8220; RFC4716 & # 8221;.

Нет необходимости в скриптах или других "трюках": openssl и ssh-keygen их достаточно.Я предполагаю, что пароля для ключей нет (что плохо).

Сгенерируйте пару RSA

Все следующие методы предоставляют пару ключей RSA в одном и том же формате

  1. С openssl (мужчина генрса)

    openssl genrsa -out dummy-genrsa.pem 2048
    

    В OpenSSL версии v1.0.1 genrsa заменяется Автор: genpkey итак, это новый способ сделать это (мужчина генпки):

    openssl genpkey -algorithm RSA -out dummy-genpkey.pem -pkeyopt rsa_keygen_bits:2048
    
  2. С помощью ssh-кейгена

    ssh-keygen -t rsa -b 2048 -f dummy-ssh-keygen.pem -N '' -C "Test Key"
    

Преобразование DER в PEM

Если у вас есть пара ключей RSA в формате DER, вы можете захотеть преобразовать ее в PEM, чтобы разрешить преобразование формата, приведенное ниже:

Поколение:

openssl genpkey -algorithm RSA -out genpkey-dummy.cer -outform DER -pkeyopt rsa_keygen_bits:2048

Преобразование:

openssl rsa -inform DER -outform PEM -in genpkey-dummy.cer -out dummy-der2pem.pem

Извлеките открытый ключ из пары RSA в формате PEM

  1. в формате PEM:

    openssl rsa -in dummy-xxx.pem -pubout
    
  2. в формате OpenSSH v2 видишь:

    ssh-keygen -y -f dummy-xxx.pem
    

Примечания

Версия операционной системы и программного обеспечения:

[user@test1 ~]# cat /etc/redhat-release ; uname -a ; openssl version
CentOS release 6.5 (Final)
Linux test1.example.local 2.6.32-431.el6.x86_64 #1 SMP Fri Nov 22 03:15:09 UTC 2013 x86_64 x86_64 x86_64 GNU/Linux
OpenSSL 1.0.1e-fips 11 Feb 2013

Ссылки:

Все неправильные ответы. Это правильный:

ssh-keygen -i -m PKCS8 -f public-key.pem

ssh-keygen -f private.pem -y > public.pub

Я сделал с

  

ssh-keygen -i -f $ sshkeysfile > > authorized_keys

Кредит идет сюда

Следующий скрипт получит сертификат открытого ключа ci.jenkins-ci.org в формате DER в кодировке base64 и преобразует его в файл открытого ключа OpenSSH. В этом коде предполагается, что используется 2048-битный ключ RSA, и он черпает много из этого ответ . Я немного больше объяснил, как это работает, в комментариях к этой статье в вики Дженкинса.

echo -n "ssh-rsa " > jenkins.pub
curl -sfI https://ci.jenkins-ci.org/ | grep X-Instance-Identity | tr -d \\r | cut -d\  -f2 | base64 -d | dd bs=1 skip=32 count=257 status=none | xxd -p -c257 | sed s/^/00000007\ 7373682d727361\ 00000003\ 010001\ 00000101\ / | xxd -p -r | base64 -w0 >> jenkins.pub
echo >> jenkins.pub

FWIW, этот скрипт BASH примет в качестве первого аргумента сертификат X.509 в формате PEM или DER или файл открытого ключа OpenSSL (также в формате PEM) и откроет открытый ключ OpenSSH RSA. Это распространяется на ответ @ mkalkov выше. Требования: cat , grep , tr , dd , xxd , sed , xargs , файл , uuidgen , base64 , openssl (1.0+) и, конечно, bash . Все, кроме openssl (содержит base64 ), гарантированно являются частью базовой установки в любой современной системе Linux, кроме, возможно, xxd (который Fedora отображается в пакете vim-common ). Если кто-то хочет очистить его и сделать его лучше, будьте осторожны, лектор.

#!/bin/bash
#
# Extract a valid SSH format public key from an X509 public certificate.
#

# Variables:
pubFile=$1
fileType="no"
pkEightTypeFile="$pubFile"
tmpFile="/tmp/`uuidgen`-pkEightTypeFile.pk8"

# See if a file was passed:
[ ! -f "$pubFile" ] && echo "Error, bad or no input file $pubFile." && exit 1

# If it is a PEM format X.509 public cert, set $fileType appropriately:
pemCertType="X$(file $pubFile | grep 'PEM certificate')"
[ "$pemCertType" != "X" ] && fileType="PEM"

# If it is an OpenSSL PEM-format PKCS#8-style public key, set $fileType appropriately:
pkEightType="X$(grep -e '-BEGIN PUBLIC KEY-' $pubFile)"
[ "$pkEightType" != "X" ] && fileType="PKCS"

# If this is a file we can't recognise, try to decode a (binary) DER-format X.509 cert:
if [ "$fileType" = "no" ]; then
        openssl x509 -in $pubFile -inform DER -noout
        derResult=$(echo $?)
        [ "$derResult" = "0" ] && fileType="DER"
fi

# Exit if not detected as a file we can use:
[ "$fileType" = "no" ] && echo "Error, input file not of type X.509 public certificate or OpenSSL PKCS#8-style public key (not encrypted)." && exit 1

# Convert the X.509 public cert to an OpenSSL PEM-format PKCS#8-style public key:
if [ "$fileType" = "PEM" -o "$fileType" = "DER" ]; then
        openssl x509 -in $pubFile -inform $fileType -noout -pubkey > $tmpFile
        pkEightTypeFile="$tmpFile"
fi

# Build the string:
# Front matter:
frontString="$(echo -en 'ssh-rsa ')"

# Encoded modulus and exponent, with appropriate pointers:
encodedModulus="$(cat $pkEightTypeFile | grep -v -e "----" | tr -d '\n' | base64 -d | dd bs=1 skip=32 count=257 status=none | xxd -p -c257 | sed s/^/00000007\ 7373682d727361\ 00000003\ 010001\ 00000101\ / | xxd -p -r | base64 -w0 )"

# Add a comment string based on the filename, just to be nice:
commentString=" $(echo $pubFile | xargs basename | sed -e 's/\.crt\|\.cer\|\.pem\|\.pk8\|\.der//')"

# Give the user a string:
echo $frontString $encodedModulus $commentString

# cleanup:
rm -f $tmpFile

Просто используйте:

ssh-keygen -y -f private_key1.pem > public_key1.pub

Сценарий здесь .

Лицензировано под: CC-BY-SA с атрибуция
Не связан с StackOverflow
scroll top