Sono riuscito a portare l'implementazione RC4 da PolarSSL a delphi, poiché ho bisogno di una comunicazione crittografata tra 2 applicazioni (C e Delphi), ma il problema è che i dati crittografati non sono mai gli stessi, entrambi i codici crittografano e decodificano i dati su proprio con successo ma non i dati crittografati dall'altro.RC4 in Delphi e C?
Qui ci sono entrambi i codici:
C Codice (Tratto da PolarSSL)
typedef struct
{
int x; /*!< permutation index */
int y; /*!< permutation index */
unsigned char m[256]; /*!< permutation table */
}
arc4_context;
void arc4_setup(arc4_context *ctx, unsigned char *key, int keylen)
{
int i, j, k, a;
ctx->x = 0;
ctx->y = 0;
for(i = 0; i < 256; i++) ctx->m[i] = (unsigned char) i;
j = k = 0;
for(i = 0; i < 256; i++, k++)
{
if(k >= keylen) k = 0;
a = ctx->m[i];
j = (j + a + key[k]) & 0xFF;
ctx->m[i] = ctx->m[j];
ctx->m[j] = (unsigned char) a;
}
return;
}
void arc4_crypt(arc4_context *ctx, unsigned char *buf, int buflen)
{
int i, x, y, a, b;
unsigned char m[256];
x = ctx->x;
y = ctx->y;
for (i = 0; i < 256; i++) m[i] = ctx->m[i];
for(i = 0; i < buflen; i++)
{
x = (x + 1) & 0xFF; a = m[x];
y = (y + a) & 0xFF; b = m[y];
m[x] = (unsigned char) b;
m[y] = (unsigned char) a;
buf[i] = (unsigned char)
(buf[i]^m[(unsigned char)(a + b)]);
}
return;
}
My Code Delphi:
type
arc4_context = packed record
x, y: integer;
m: array[0..255] of byte;
end;
procedure arc4_setup(var ctx: arc4_context; key: PChar; keylen: Integer);
var
i, j, k, a: Integer;
begin
ctx.x := 0;
ctx.y := 0;
for i := 0 to 255 do ctx.m[i] := Byte(i);
j := 0;
k := 0;
for i := 0 to 255 do
begin
if (k >= keylen) then k := 0;
a := ctx.m[i];
j := (j + a + Byte(key[k])) and $FF;
ctx.m[i] := ctx.m[j];
ctx.m[j] := a;
Inc(k);
end;
end;
procedure arc4_crypt(ctx:arc4_context; var buf:string; buflen:integer);
var
i, x, y, a, b: Integer;
m: array [0..255] of byte;
begin
x := ctx.x;
y := ctx.y;
for i := 0 to 255 do m[i] := ctx.m[i];
i := 0;
while (i < buflen) do
begin
x := (x + 1) and $FF;
a := m[x];
y := (y + a) and $FF;
b := m[y];
m[x] := b;
m[y] := a;
buf[i+1] := Char(Byte(buf[i+1]) xor Byte(m[a + b]));
inc(i);
end
end;
Quella traduzione è di ottimo livello. Qual è la tua domanda? –
i dati crittografati non sono mai gli stessi, quindi i dati crittografati con il codice C non possono essere decifrati dal codice Delphi. – killercode
Sono abbastanza sicuro che ci siano alcuni problemi con l'indice dell'array. Gli array Delphi sono sempre basati su zero? – Milan