File: HMAC.swift

package info (click to toggle)
swiftlang 6.0.3-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 2,519,992 kB
  • sloc: cpp: 9,107,863; ansic: 2,040,022; asm: 1,135,751; python: 296,500; objc: 82,456; f90: 60,502; lisp: 34,951; pascal: 19,946; sh: 18,133; perl: 7,482; ml: 4,937; javascript: 4,117; makefile: 3,840; awk: 3,535; xml: 914; fortran: 619; cs: 573; ruby: 573
file content (221 lines) | stat: -rw-r--r-- 9,566 bytes parent folder | download
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
//===----------------------------------------------------------------------===//
//
// This source file is part of the SwiftCrypto open source project
//
// Copyright (c) 2019-2020 Apple Inc. and the SwiftCrypto project authors
// Licensed under Apache License v2.0
//
// See LICENSE.txt for license information
// See CONTRIBUTORS.md for the list of SwiftCrypto project authors
//
// SPDX-License-Identifier: Apache-2.0
//
//===----------------------------------------------------------------------===//
#if CRYPTO_IN_SWIFTPM && !CRYPTO_IN_SWIFTPM_FORCE_BUILD_API
@_exported import CryptoKit
#else
import Foundation

/// A hash-based message authentication algorithm.
///
/// Use hash-based message authentication to create a code with a value that’s
/// dependent on both a block of data and a symmetric cryptographic key. Another
/// party with access to the data and the same secret key can compute the code
/// again and compare it to the original to detect whether the data changed.
/// This serves a purpose similar to digital signing and verification, but
/// depends on a shared symmetric key instead of public-key cryptography.
///
/// As with digital signing, the data isn’t hidden by this process. When you
/// need to encrypt the data as well as authenticate it, use a cipher like
/// ``AES`` or ``ChaChaPoly`` to put the data into a sealed box (an instance of
/// ``AES/GCM/SealedBox`` or ``ChaChaPoly/SealedBox``).
public struct HMAC<H: HashFunction>: MACAlgorithm {
    /// An alias for the symmetric key type used to compute or verify a message
    /// authentication code.
    public typealias Key = SymmetricKey
    /// An alias for a hash-based message authentication code.
    public typealias MAC = HashedAuthenticationCode<H>
    var outerHasher: H
    var innerHasher: H
    
    /// Returns a Boolean value indicating whether the given message
    /// authentication code is valid for a block of data stored in a buffer.
    ///
    /// - Parameters:
    ///   - mac: The authentication code to compare.
    ///   - bufferPointer: A pointer to the block of data to compare.
    ///   - key: The symmetric key for the authentication code.
    ///
    /// - Returns: A Boolean value that’s `true` if the message authentication
    /// code is valid for the data within the specified buffer.
    public static func isValidAuthenticationCode(_ mac: MAC, authenticating bufferPointer: UnsafeRawBufferPointer, using key: SymmetricKey) -> Bool {
        return isValidAuthenticationCode(authenticationCodeBytes: mac, authenticatedData: bufferPointer, key: key)
    }
    
    /// Creates a message authentication code generator.
    ///
    /// - Parameters:
    ///   - key: The symmetric key used to secure the computation.
    public init(key: SymmetricKey) {
        #if os(iOS) && (arch(arm) || arch(i386))
        fatalError("Unsupported architecture")
        #else
        var K: ContiguousBytes
        
        if key.byteCount == H.blockByteCount {
            K = key
        } else if key.byteCount > H.blockByteCount {
            var array = Array(repeating: UInt8(0), count: H.blockByteCount)
            
            K = key.withUnsafeBytes { (keyBytes)  in
                let hash = H.hash(bufferPointer: keyBytes)
                
                return hash.withUnsafeBytes({ (hashBytes) in
                    memcpy(&array, hashBytes.baseAddress!, hashBytes.count)
                    return array
                })
            }
        } else {
            var keyArray = Array(repeating: UInt8(0), count: H.blockByteCount)
            key.withUnsafeBytes { keyArray.replaceSubrange(0..<$0.count, with: $0) }
            K = keyArray
        }
        
        self.innerHasher = H()
        let innerKey = K.withUnsafeBytes {
            return $0.map({ (keyByte) in
                keyByte ^ 0x36
            })
        }
        innerHasher.update(data: innerKey)
        
        self.outerHasher = H()
        let outerKey = K.withUnsafeBytes {
            return $0.map({ (keyByte) in
                keyByte ^ 0x5c
            })
        }
        outerHasher.update(data: outerKey)
        #endif
    }
    
    /// Computes a message authentication code for the given data.
    ///
    /// - Parameters:
    ///   - data: The data for which to compute the authentication code.
    ///   - key: The symmetric key used to secure the computation.
    ///
    /// - Returns: The message authentication code.
    public static func authenticationCode<D: DataProtocol>(for data: D, using key: SymmetricKey) -> MAC {
        var authenticator = Self(key: key)
        authenticator.update(data: data)
        return authenticator.finalize()
    }
    
    /// Returns a Boolean value indicating whether the given message
    /// authentication code is valid for a block of data.
    ///
    /// - Parameters:
    ///   - authenticationCode: The authentication code to compare.
    ///   - authenticatedData: The block of data to compare.
    ///   - key: The symmetric key for the authentication code.
    ///
    /// - Returns: A Boolean value that’s `true` if the message authentication
    /// code is valid for the specified block of data.
    public static func isValidAuthenticationCode<D: DataProtocol>(_ authenticationCode: MAC, authenticating authenticatedData: D, using key: SymmetricKey) -> Bool {
        return isValidAuthenticationCode(authenticationCodeBytes: authenticationCode, authenticatedData: authenticatedData, key: key)
    }
    
    /// Returns a Boolean value indicating whether the given message
    /// authentication code represented as contiguous bytes is valid for a block
    /// of data.
    ///
    /// - Parameters:
    ///   - authenticationCode: The authentication code to compare.
    ///   - authenticatedData: The block of data to compare.
    ///   - key: The symmetric key for the authentication code.
    ///
    /// - Returns: A Boolean value that’s `true` if the message authentication
    /// code is valid for the specified block of data.
    public static func isValidAuthenticationCode<C: ContiguousBytes, D: DataProtocol>(_ authenticationCode: C,
                                                                                      authenticating authenticatedData: D,
                                                                                      using key: SymmetricKey) -> Bool {
        return isValidAuthenticationCode(authenticationCodeBytes: authenticationCode, authenticatedData: authenticatedData, key: key)
    }
    
    /// Updates the message authentication code computation with a block of
    /// data.
    ///
    /// - Parameters:
    ///   - data: The data for which to compute the authentication code.
    public mutating func update<D: DataProtocol>(data: D) {
        data.regions.forEach { (memoryRegion) in
            memoryRegion.withUnsafeBytes({ (bp) in
                self.update(bufferPointer: bp)
            })
        }
    }
    
    /// Finalizes the message authentication computation and returns the
    /// computed code.
    ///
    /// - Returns: The message authentication code.
    public func finalize() -> MAC {
        let innerHash = innerHasher.finalize()
        var outerHashForFinalization = outerHasher
        
        let mac = innerHash.withUnsafeBytes { buffer -> H.Digest in
            outerHashForFinalization.update(bufferPointer: (buffer))
            return outerHashForFinalization.finalize()
        }
        
        return HashedAuthenticationCode(digest: mac)
    }
    
    /// Adds data to be authenticated by MAC function. This can be called one or more times to append additional data.
    ///
    /// - Parameters:
    ///   - data: The data to be authenticated.
    /// - Throws: Throws if the HMAC has already been finalized.
    mutating func update(bufferPointer: UnsafeRawBufferPointer) {
        innerHasher.update(bufferPointer: bufferPointer)
    }

    /// A common implementation of isValidAuthenticationCode shared by the various entry points.
    private static func isValidAuthenticationCode<C: ContiguousBytes, D: DataProtocol>(authenticationCodeBytes: C,
                                                                                       authenticatedData: D,
                                                                                       key: SymmetricKey) -> Bool {
        var authenticator = Self(key: key)
        authenticator.update(data: authenticatedData)
        let computedMac = authenticator.finalize()
        return safeCompare(authenticationCodeBytes, computedMac)
    }
}

/// A hash-based message authentication code.
public struct HashedAuthenticationCode<H: HashFunction>: MessageAuthenticationCode {
    let digest: H.Digest
    
    /// The number of bytes in the message authentication code.
    public var byteCount: Int {
        return H.Digest.byteCount
    }
    
    /// A human-readable description of the code.
    public var description: String {
        return "HMAC with \(H.self): \(Array(digest).hexString)"
    }
    
    /// Invokes the given closure with a buffer pointer covering the raw bytes
    /// of the code.
    ///
    /// - Parameters:
    ///   - body: A closure that takes a raw buffer pointer to the bytes of the
    /// code and returns the code.
    ///
    /// - Returns: The code, as returned from the body closure.
    public func withUnsafeBytes<R>(_ body: (UnsafeRawBufferPointer) throws -> R) rethrows -> R {
        return try digest.withUnsafeBytes(body)
    }
}
#endif // Linux or !SwiftPM