File size: 1,836 Bytes
4327358
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
import * as crypto from 'crypto';

export abstract class IApiKeyAuth {
  abstract isValid(plain: string): boolean;

  abstract skipAuth(): boolean;
}

export class NoAuth implements IApiKeyAuth {
  isValid(plain: string): boolean {
    return true;
  }

  skipAuth(): boolean {
    return true;
  }
}

export class PlainApiKeyAuth implements IApiKeyAuth {
  constructor(private key: string) {}

  isValid(plain: string): boolean {
    return compare(plain, this.key);
  }

  skipAuth(): boolean {
    return false;
  }
}

export class HashAuth implements IApiKeyAuth {
  constructor(
    private hash: string,
    private algorithm: string,
  ) {}

  isValid(plain: string): boolean {
    if (!plain) {
      return false;
    }
    const hash = crypto.createHash(this.algorithm).update(plain).digest('hex');
    return compare(hash, this.hash);
  }

  skipAuth(): boolean {
    return false;
  }
}

/**
 * Securely compare 2 strings
 */
export function compare(provided: string, stored: string | undefined): boolean {
  if (!stored || !provided) {
    return false;
  }

  try {
    // Convert strings to buffers for constant-time comparison
    const providedBuffer = Buffer.from(provided);
    const storedBuffer = Buffer.from(stored);

    // If lengths are different, return false but use a dummy comparison to prevent timing attacks
    if (providedBuffer.length !== storedBuffer.length) {
      // Create a dummy buffer of the same length as the provided key
      const dummyBuffer = Buffer.alloc(providedBuffer.length);
      // Perform comparison with dummy buffer to maintain constant time
      crypto.timingSafeEqual(providedBuffer, dummyBuffer);
      return false;
    }

    // Perform constant-time comparison
    return crypto.timingSafeEqual(providedBuffer, storedBuffer);
  } catch (error) {
    return false;
  }
}