IdentifiantMot de passe
Loading...
Mot de passe oublié ?Je m'inscris ! (gratuit)
Navigation

Inscrivez-vous gratuitement
pour pouvoir participer, suivre les réponses en temps réel, voter pour les messages, poser vos propres questions et recevoir la newsletter

 Delphi Discussion :

Comment décrypter du texte (AES 256) ?


Sujet :

Delphi

  1. #1
    Nouveau Candidat au Club
    Profil pro
    Inscrit en
    Octobre 2004
    Messages
    2
    Détails du profil
    Informations personnelles :
    Localisation : Suisse

    Informations forums :
    Inscription : Octobre 2004
    Messages : 2
    Points : 1
    Points
    1
    Par défaut Comment décrypter du texte (AES 256) ?
    ça fait un moment que je tourne en rond, donc je pose la question ici:

    Y a-t-il un moyen simple de décrypter du texte (string) en AES 256 ?

    J'ai fait ça en DotNet C# et ça tient sur 10 lignes. Je suis débutant en Delphi, et je n'arrive pas à trouver la voie...
    Merci d'avance

  2. #2
    Modérateur

    Homme Profil pro
    Ingénieur retraité
    Inscrit en
    Octobre 2005
    Messages
    2 396
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Localisation : France, Rhône (Rhône Alpes)

    Informations professionnelles :
    Activité : Ingénieur retraité

    Informations forums :
    Inscription : Octobre 2005
    Messages : 2 396
    Points : 3 263
    Points
    3 263
    Par défaut
    Salut,

    Vincenz : J'ai fait ça en DotNet C# et ça tient sur 10 lignes.
    Bin si tu l'as fait en C# et en seulement 10 lignes, le plus simple est de poster ici ces 10 lignes et quelqu'un pourra peut-être t'aider.

    A+.
    N'oubliez pas de consulter les FAQ Delphi et les cours et tutoriels Delphi

  3. #3
    Nouveau Candidat au Club
    Profil pro
    Inscrit en
    Octobre 2004
    Messages
    2
    Détails du profil
    Informations personnelles :
    Localisation : Suisse

    Informations forums :
    Inscription : Octobre 2004
    Messages : 2
    Points : 1
    Points
    1
    Par défaut
    Voici:
    ...mais je doute que ça puisse aider, puisque là j'utilise le .NET Framework 4.5 (System.Security.Cryptography)


    Code c# : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
     using System.Security.Cryptography;
     
      public static string DecryptString(string sStrToDecrypt, string sKey, string sInitVector)
        {
          if (sStrToDecrypt.SgIsEmpty()) throw new SgExcParameter("sStrToDecrypt", null, true);
          byte[] baStrToDecrypt = SgConvert.StringHexToByteArray(sStrToDecrypt);
          byte[] baSogKey = SgConvert.StringHexToByteArray(sKey);
          byte[] baInitVector = SgConvert.StringHexToByteArray(sInitVector);
          return DecryptBytesToString_Aes(baStrToDecrypt, baSogKey, baInitVector);
        }
     
        public static string DecryptBytesToString_Aes(byte[] baArrayToDecrypt, byte[] baKey, byte[] baInitVector)
        {
          if (baKey == null || baKey.Length <= 0) throw new SgExcParameter("baKey", null, true);
          if (baInitVector == null || baInitVector.Length <= 0) throw new SgExcParameter("baInitVector", null, true);
          string sDecrypted = null;
          using (var aesAlg = new AesManaged())
          {
            aesAlg.Key = baKey;
            aesAlg.IV = baInitVector;
     
            ICryptoTransform decryptor = aesAlg.CreateDecryptor(aesAlg.Key, aesAlg.IV);
            using (var msDecrypt = new MemoryStream(baArrayToDecrypt))
            {
              using (var csDecrypt = new CryptoStream(msDecrypt, decryptor, CryptoStreamMode.Read))
              {
                using (var srDecrypt = new StreamReader(csDecrypt))
                {
                  sDecrypted = srDecrypt.ReadToEnd();
                }
              }
            }
          }
          return sDecrypted;
        }

  4. #4
    Expert éminent sénior
    Avatar de ShaiLeTroll
    Homme Profil pro
    Développeur C++\Delphi
    Inscrit en
    Juillet 2006
    Messages
    13 447
    Détails du profil
    Informations personnelles :
    Sexe : Homme
    Âge : 42
    Localisation : France, Seine Saint Denis (Île de France)

    Informations professionnelles :
    Activité : Développeur C++\Delphi
    Secteur : High Tech - Éditeur de logiciels

    Informations forums :
    Inscription : Juillet 2006
    Messages : 13 447
    Points : 24 849
    Points
    24 849
    Par défaut
    Ah, le C# cela simplifie tellement les API Windows !

    Pourquoi Microsoft fournit-il un Framework.net d'une grande simplicité tout en encapsulant leurs API ayant soyons honnête possède une certaine complexité ?

    Pour le 256, je n'ai pas le code mais j'ai la version 128

    Je dirais qu'il est suffisant de changer CALG_AES_128 en CALG_AES_256

    Je suis en mode CRYPT_MODE_ECB, d'autres modes pourrait nécessiter un découpage en buffer !
    J'ignore en réalité si mon code est vraiment correct, il fonctionne puisque je l'ai testé pour décoder de l'AES provenant de tête de lecture de carte à puce de proximité et pour chiffrer mes mots de passe des applications que je maintiens.

    J'utilise JEDI JWA JwaWinCrypt comme Header !
    Je n'ai pas trouvé cela dans Delphi XE2 par défaut !
    Avant j'utilisais wcrypt2.pas

    Code : Sélectionner tout - Visualiser dans une fenêtre à part
    1
    2
    3
    4
    5
    6
    7
    8
    9
    10
    11
    12
    13
    14
    15
    16
    17
    18
    19
    20
    21
    22
    23
    24
    25
    26
    27
    28
    29
    30
    31
    32
    33
    34
    35
    36
    37
    38
    39
    40
    41
    42
    43
    44
    45
    46
    47
    48
    49
    50
    51
    52
    53
    54
    55
    56
    57
    58
    59
    60
    61
    62
    63
    64
    65
    66
    67
    68
    69
    70
    71
    72
    73
    74
    75
    76
    77
    78
    79
    80
    81
    82
    83
    84
    85
    86
    87
    88
    89
    90
    91
    92
    93
    94
    95
    96
    97
    98
    99
    100
    101
    102
    103
    104
    105
    106
    107
    108
    109
    110
    111
    112
    113
    114
    115
    116
    117
    118
    119
    120
    121
    122
    123
    124
    125
    126
    127
    128
    129
    130
    131
    132
    133
    134
    135
    136
    137
    138
    139
    140
    141
    142
    143
    144
    145
    146
    147
    148
    149
    150
    151
    152
    153
    154
    155
    156
    157
    158
    159
    160
    161
    162
    163
    164
    165
    166
    167
    168
    169
    170
    171
    172
    173
    174
    175
    176
    177
    178
    179
    180
    181
    182
    183
    184
    185
    186
    187
    188
    189
    190
    191
    192
    193
    194
    195
    196
    197
    198
    199
    200
    201
    202
    203
    204
    205
    206
    207
    208
    209
    210
    211
    212
    213
    214
    215
    216
    217
    218
    219
    220
    221
    222
    223
    224
    225
    226
    227
    228
    229
    230
    231
    232
    233
    234
    235
    236
    237
    238
    239
    240
    241
    242
    243
    244
    245
    246
    247
    248
    249
    250
    251
    //------------------------------------------------------------------------------
    (*                SoLuTions is an Versatile Library for Delphi                 -
     *                                                                             -
     *  Version alternative publiée sur "www.developpez.net"                       -
     *  Post : "AES via CryptAPI"                                                  -
     *  Post Number : 6214517                                                      -
     *  Post URL = "http://www.developpez.net/forums/d1126336/environnements-developpement/delphi/api-com-sdks/aes-via-cryptapi/#post6214517"
     *                                                                             -
     *  Copyright ou © ou Copr. "SLT Solutions", (2006)                            -
     *  contributeur : ShaiLeTroll (2012) - Renommage Fichier et Correction XE2    -
     *  contributeur : ShaiLeTroll (2012) - Documentation Insight                  -
     *                                                                             -
     * ShaiLeTroll@gmail.com                                                       -
     *                                                                             -
     * Ce logiciel est un programme informatique servant à aider les développeurs  -
     * Delphi avec une bibliothèque polyvalente, adaptable et fragmentable.        -
     *                                                                             -
     * Ce logiciel est régi par la licence CeCILL-C soumise au droit français et   -
     * respectant les principes de diffusion des logiciels libres. Vous pouvez     -
     * utiliser, modifier et/ou redistribuer ce programme sous les conditions      -
     * de la licence CeCILL-C telle que diffusée par le CEA, le CNRS et l'INRIA    -
     * sur le site "http://www.cecill.info".                                       -
     *                                                                             -
     * En contrepartie de l'accessibilité au code source et des droits de copie,   -
     * de modification et de redistribution accordés par cette licence, il n'est   -
     * offert aux utilisateurs qu'une garantie limitée.  Pour les mêmes raisons,   -
     * seule une responsabilité restreinte pèse sur l'auteur du programme,  le     -
     * titulaire des droits patrimoniaux et les concédants successifs.             -
     *                                                                             -
     * A cet égard  l'attention de l'utilisateur est attirée sur les risques       -
     * associés au chargement,  à l'utilisation,  à la modification et/ou au       -
     * développement et à la reproduction du logiciel par l'utilisateur étant      -
     * donné sa spécificité de logiciel libre, qui peut le rendre complexe à       -
     * manipuler et qui le réserve donc à des développeurs et des professionnels   -
     * avertis possédant  des  connaissances  informatiques approfondies.  Les     -
     * utilisateurs sont donc invités à charger  et  tester  l'adéquation  du      -
     * logiciel à leurs besoins dans des conditions permettant d'assurer la        -
     * sécurité de leurs systèmes et ou de leurs données et, plus généralement,    -
     * à l'utiliser et l'exploiter dans les mêmes conditions de sécurité.          -
     *                                                                             -
     * Le fait que vous puissiez accéder à cet en-tête signifie que vous avez      -
     * pris connaissance de la licence CeCILL-C, et que vous en avez accepté les   -
     * termes.                                                                     -
     *                                                                             -
     *----------------------------------------------------------------------------*)
    unit SLT.Common.Crypto;
     
    interface
     
    {*$DEFINE DEBUG_SLT_CRYPT*}
     
    uses System.Classes, System.SysUtils
      {$IFDEF MSWINDOWS}, JwaWinCrypt{$ENDIF MSWINDOWS};
     
    type
      { Forward class declarations }
      TSLTBase64 = class;
      TSLTAES128ECB = class;
     
      { class declarations }
     
      /// <summary>Simple encodage en Base64 pour stocker des valeurs binaires uniquement en caractères imprimables</summary>
      TSLTBase64 = class(TObject)
      public
        class function Encode(const Value: string): string;
        class function Decode(const Value: string): string;
      end;
     
      /// <summary>Chiffrement et Déchiffrement via l'algorithme AES 128 en ECB (Electronic Code Book)</summary>
      TSLTAES128ECB = class(TObject)
      public
        class function Encrypt(const Value: RawByteString; const Key: RawByteString): RawByteString;
        class function Decrypt(const Value: RawByteString; const Key: RawByteString): RawByteString;
      end;
     
      {$IFDEF DEBUG_SLT_CRYPT}
      procedure OutputDebugCRYPT(const Msg: string); inline;
      {$ENDIF DEBUG_SLT_CRYPT}
     
     
    implementation
     
    uses Soap.EncdDecd
    {$IFDEF MSWINDOWS}
      , Winapi.Windows
    {$ELSE MSWINDOWS}
    {$MESSAGE ERROR 'Implémentation uniquement Windows dans SLT.Common.Crypto'}
    {$ENDIF MSWINDOWS}
    {$IFDEF DEBUG_SLT_CRYPT}
      , SLT.Common.Tracing
    {$ENDIF DEBUG_SLT_CRYPT};
     
    { TModuleEDICryptoService }
     
    //------------------------------------------------------------------------------
    class function TSLTBase64.Decode(const Value: string): string;
    begin
      Result := Soap.EncdDecd.DecodeString(Value);
    end;
     
    //------------------------------------------------------------------------------
    class function TSLTBase64.Encode(const Value: string): string;
    begin
      Result := Soap.EncdDecd.EncodeString(Value);
    end;
     
    { TSLTAES128ECB }
     
    //------------------------------------------------------------------------------
    class function TSLTAES128ECB.Decrypt(const Value: RawByteString; const Key: RawByteString): RawByteString;
    var
      pbData: PByte;
      hCryptProvider: HCRYPTPROV;
      KeyBlob: packed record
        Header: BLOBHEADER;
        Size: DWORD;
        Data: array[0..15] of Byte;
      end;
      hKey, hDecryptKey: HCRYPTKEY;
      dwKeyCypherMode: DWORD;
      ResultLen: DWORD;
    const
      PROV_RSA_AES = 24;
      CALG_AES_128 = $0000660e;
      AESFinal = True;
    begin
      Result := '';
      // MS_ENH_RSA_AES_PROV
      if CryptAcquireContext(hCryptProvider, nil, nil, PROV_RSA_AES, CRYPT_VERIFYCONTEXT) then
      begin
        KeyBlob.Header.bType := PLAINTEXTKEYBLOB;
        keyBlob.Header.bVersion := CUR_BLOB_VERSION;
        keyBlob.Header.reserved := 0;
        keyBlob.Header.aiKeyAlg := CALG_AES_128;
        keyBlob.Size := Length(Key);
        CopyMemory(@keyBlob.Data[0], @Key[1], keyBlob.Size);
     
        if CryptImportKey(hCryptProvider, @KeyBlob, SizeOf(KeyBlob), 0, 0, hKey) then
        begin
          if CryptDuplicateKey(hKey, nil, 0, hDecryptKey) then
          begin
            dwKeyCypherMode := CRYPT_MODE_ECB;
            CryptSetKeyParam(hDecryptKey, KP_MODE, @dwKeyCypherMode, 0);
     
            Result := Value;
            pbData := Pointer(Result);
            ResultLen := Length(Result);
     
            // the calling application sets the DWORD value to the number of bytes to be decrypted. Upon return, the DWORD value contains the number of bytes of the decrypted plaintext.
            if CryptDecrypt(hDecryptKey, 0, AESFinal, 0, pbData, ResultLen) then
            begin
              SetLength(Result, ResultLen);
            end
            else
            begin
              Result := '';
              {$IFDEF DEBUG_SLT_CRYPT}
              OutputDebugCRYPT('TSLTAES128ECB.Decrypt ' + IntToStr(GetLastError()));
              {$ENDIF DEBUG_SLT_CRYPT}
            end;
     
            CryptDestroyKey(hDecryptKey);
          end;
     
          CryptDestroyKey(hKey);
        end;
     
        CryptReleaseContext(hCryptProvider, 0);
      end;
    end;
     
    //------------------------------------------------------------------------------
    class function TSLTAES128ECB.Encrypt(const Value: RawByteString; const Key: RawByteString): RawByteString;
    var
      pbData: PByte;
      hCryptProvider: HCRYPTPROV;
      KeyBlob: packed record
        Header: BLOBHEADER;
        Size: DWORD;
        Data: array[0..15] of Byte;
      end;
      hKey, hEncryptKey: HCRYPTKEY;
      dwKeyCypherMode: DWORD;
      InputLen, ResultLen: DWORD;
    const
      PROV_RSA_AES = 24;
      CALG_AES_128 = $0000660e;
      AESFinal = True;
    begin
      Result := '';
      // MS_ENH_RSA_AES_PROV
      if CryptAcquireContext(hCryptProvider, nil, nil, PROV_RSA_AES, CRYPT_VERIFYCONTEXT) then
      begin
        KeyBlob.Header.bType := PLAINTEXTKEYBLOB;
        keyBlob.Header.bVersion := CUR_BLOB_VERSION;
        keyBlob.Header.reserved := 0;
        keyBlob.Header.aiKeyAlg := CALG_AES_128;
        keyBlob.Size := Length(Key);
        CopyMemory(@keyBlob.Data[0], @Key[1], keyBlob.Size);
     
        if CryptImportKey(hCryptProvider, @KeyBlob, SizeOf(KeyBlob), 0, 0, hKey) then
        begin
          if CryptDuplicateKey(hKey, nil, 0, hEncryptKey) then
          begin
            dwKeyCypherMode := CRYPT_MODE_ECB;
            CryptSetKeyParam(hEncryptKey, KP_MODE, @dwKeyCypherMode, 0);
     
            InputLen := Length(Value);
            ResultLen := InputLen;
     
            // nil dans pbData => If this parameter contains NULL, this function will calculate the required size for the ciphertext and place that in the value pointed to by the pdwDataLen parameter.
            if CryptEncrypt(hEncryptKey, 0, AESFinal, 0, nil, ResultLen, 0) then
            begin
              SetLength(Result, ResultLen);
              Move(Value[1], Result[1], Length(Value));
              pbData := Pointer(PAnsiChar(Result));
              if not CryptEncrypt(hEncryptKey, 0, AESFinal, 0, pbData, InputLen, ResultLen) then
              begin
                Result := '';
                {$IFDEF DEBUG_SLT_CRYPT}
                OutputDebugCRYPT('TSLTAES128ECB.Encrypt ' + IntToStr(GetLastError()));
                {$ENDIF DEBUG_SLT_CRYPT}
              end;
            end
            else
            begin
              Result := '';
              {$IFDEF DEBUG_SLT_CRYPT}
              OutputDebugCRYPT('TSLTAES128ECB.Pre-Encrypt ' + IntToStr(GetLastError()));
              {$ENDIF DEBUG_SLT_CRYPT}
            end;
     
            CryptDestroyKey(hEncryptKey);
          end;
     
          CryptDestroyKey(hKey);
        end;
     
        CryptReleaseContext(hCryptProvider, 0);
      end;
    end;
     
    //------------------------------------------------------------------------------
    {$IFDEF DEBUG_SLT_CRYPT}
    procedure OutputDebugCRYPT(const Msg: string);
    begin
      TSLTDebugLogger.OutputDebugString('[SLT.CRYPT]', Msg);
    end;
    {$ENDIF DEBUG_SLT_CRYPT}
     
    end.
    Aide via F1 - FAQ - Guide du développeur Delphi devant un problème - Pensez-y !
    Attention Troll Méchant !
    "Quand un homme a faim, mieux vaut lui apprendre à pêcher que de lui donner un poisson" Confucius
    Mieux vaut se taire et paraître idiot, Que l'ouvrir et de le confirmer !
    L'ignorance n'excuse pas la médiocrité !

    L'expérience, c'est le nom que chacun donne à ses erreurs. (Oscar Wilde)
    Il faut avoir le courage de se tromper et d'apprendre de ses erreurs

Discussions similaires

  1. [TWebBrowser] Comment ajouter du texte ?
    Par el_diablos dans le forum Composants VCL
    Réponses: 18
    Dernier message: 06/07/2004, 09h17
  2. [RichEdit] Comment surligner du texte ?
    Par micatmidog dans le forum Composants VCL
    Réponses: 3
    Dernier message: 28/06/2004, 13h01
  3. comment inserer du texte?
    Par bakonu dans le forum OpenGL
    Réponses: 2
    Dernier message: 29/04/2004, 13h32
  4. comment ecrire du texte dans une window application
    Par gaut dans le forum Autres éditeurs
    Réponses: 2
    Dernier message: 16/07/2003, 10h23
  5. Comment centrer un Texte dans un rectangle ...
    Par Djedjeridoo dans le forum Composants VCL
    Réponses: 3
    Dernier message: 16/06/2003, 21h56

Partager

Partager
  • Envoyer la discussion sur Viadeo
  • Envoyer la discussion sur Twitter
  • Envoyer la discussion sur Google
  • Envoyer la discussion sur Facebook
  • Envoyer la discussion sur Digg
  • Envoyer la discussion sur Delicious
  • Envoyer la discussion sur MySpace
  • Envoyer la discussion sur Yahoo