-
Notifications
You must be signed in to change notification settings - Fork 15
/
Copy pathS3EncryptionClient.java
1154 lines (1053 loc) · 55.1 KB
/
S3EncryptionClient.java
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
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright Amazon.com Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0
package software.amazon.encryption.s3;
import edu.umd.cs.findbugs.annotations.SuppressFBWarnings;
import software.amazon.awssdk.auth.credentials.AwsCredentialsProvider;
import software.amazon.awssdk.awscore.AwsRequestOverrideConfiguration;
import software.amazon.awssdk.awscore.exception.AwsServiceException;
import software.amazon.awssdk.core.ResponseInputStream;
import software.amazon.awssdk.core.async.AsyncRequestBody;
import software.amazon.awssdk.core.async.AsyncResponseTransformer;
import software.amazon.awssdk.core.client.builder.SdkSyncClientBuilder;
import software.amazon.awssdk.core.client.config.ClientOverrideConfiguration;
import software.amazon.awssdk.core.exception.SdkClientException;
import software.amazon.awssdk.core.interceptor.ExecutionAttribute;
import software.amazon.awssdk.core.sync.RequestBody;
import software.amazon.awssdk.core.sync.ResponseTransformer;
import software.amazon.awssdk.endpoints.EndpointProvider;
import software.amazon.awssdk.http.AbortableInputStream;
import software.amazon.awssdk.http.SdkHttpClient;
import software.amazon.awssdk.http.async.SdkAsyncHttpClient;
import software.amazon.awssdk.regions.Region;
import software.amazon.awssdk.services.kms.KmsClient;
import software.amazon.awssdk.services.s3.DelegatingS3Client;
import software.amazon.awssdk.services.s3.S3AsyncClient;
import software.amazon.awssdk.services.s3.S3BaseClientBuilder;
import software.amazon.awssdk.services.s3.S3Client;
import software.amazon.awssdk.services.s3.S3Configuration;
import software.amazon.awssdk.services.s3.model.AbortMultipartUploadRequest;
import software.amazon.awssdk.services.s3.model.AbortMultipartUploadResponse;
import software.amazon.awssdk.services.s3.model.CompleteMultipartUploadRequest;
import software.amazon.awssdk.services.s3.model.CompleteMultipartUploadResponse;
import software.amazon.awssdk.services.s3.model.CompletedPart;
import software.amazon.awssdk.services.s3.model.CreateMultipartUploadRequest;
import software.amazon.awssdk.services.s3.model.CreateMultipartUploadResponse;
import software.amazon.awssdk.services.s3.model.DeleteObjectRequest;
import software.amazon.awssdk.services.s3.model.DeleteObjectResponse;
import software.amazon.awssdk.services.s3.model.DeleteObjectsRequest;
import software.amazon.awssdk.services.s3.model.DeleteObjectsResponse;
import software.amazon.awssdk.services.s3.model.GetObjectRequest;
import software.amazon.awssdk.services.s3.model.GetObjectResponse;
import software.amazon.awssdk.services.s3.model.ObjectIdentifier;
import software.amazon.awssdk.services.s3.model.PutObjectRequest;
import software.amazon.awssdk.services.s3.model.PutObjectResponse;
import software.amazon.awssdk.services.s3.model.S3Request;
import software.amazon.awssdk.services.s3.model.UploadPartRequest;
import software.amazon.awssdk.services.s3.model.UploadPartResponse;
import software.amazon.encryption.s3.algorithms.AlgorithmSuite;
import software.amazon.encryption.s3.internal.GetEncryptedObjectPipeline;
import software.amazon.encryption.s3.internal.MultiFileOutputStream;
import software.amazon.encryption.s3.internal.MultipartUploadObjectPipeline;
import software.amazon.encryption.s3.internal.PutEncryptedObjectPipeline;
import software.amazon.encryption.s3.internal.UploadObjectObserver;
import software.amazon.encryption.s3.materials.AesKeyring;
import software.amazon.encryption.s3.materials.CryptographicMaterialsManager;
import software.amazon.encryption.s3.materials.DefaultCryptoMaterialsManager;
import software.amazon.encryption.s3.materials.Keyring;
import software.amazon.encryption.s3.materials.KmsKeyring;
import software.amazon.encryption.s3.materials.MultipartConfiguration;
import software.amazon.encryption.s3.materials.PartialRsaKeyPair;
import software.amazon.encryption.s3.materials.RsaKeyring;
import javax.crypto.SecretKey;
import java.io.IOException;
import java.net.URI;
import java.security.KeyPair;
import java.security.Provider;
import java.security.SecureRandom;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import java.util.Optional;
import java.util.concurrent.CompletableFuture;
import java.util.concurrent.CompletionException;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
import java.util.function.Consumer;
import static software.amazon.encryption.s3.S3EncryptionClientUtilities.DEFAULT_BUFFER_SIZE_BYTES;
import static software.amazon.encryption.s3.S3EncryptionClientUtilities.INSTRUCTION_FILE_SUFFIX;
import static software.amazon.encryption.s3.S3EncryptionClientUtilities.MAX_ALLOWED_BUFFER_SIZE_BYTES;
import static software.amazon.encryption.s3.S3EncryptionClientUtilities.MIN_ALLOWED_BUFFER_SIZE_BYTES;
import static software.amazon.encryption.s3.S3EncryptionClientUtilities.instructionFileKeysToDelete;
import static software.amazon.encryption.s3.internal.ApiNameVersion.API_NAME_INTERCEPTOR;
/**
* This client is a drop-in replacement for the S3 client. It will automatically encrypt objects
* on putObject and decrypt objects on getObject using the provided encryption key(s).
*/
public class S3EncryptionClient extends DelegatingS3Client {
// Used for request-scoped encryption contexts for supporting keys
public static final ExecutionAttribute<Map<String, String>> ENCRYPTION_CONTEXT = new ExecutionAttribute<>("EncryptionContext");
public static final ExecutionAttribute<MultipartConfiguration> CONFIGURATION = new ExecutionAttribute<>("MultipartConfiguration");
private final S3Client _wrappedClient;
private final S3AsyncClient _wrappedAsyncClient;
private final CryptographicMaterialsManager _cryptoMaterialsManager;
private final SecureRandom _secureRandom;
private final boolean _enableLegacyUnauthenticatedModes;
private final boolean _enableDelayedAuthenticationMode;
private final boolean _enableMultipartPutObject;
private final MultipartUploadObjectPipeline _multipartPipeline;
private final long _bufferSize;
private S3EncryptionClient(Builder builder) {
super(builder._wrappedClient);
_wrappedClient = builder._wrappedClient;
_wrappedAsyncClient = builder._wrappedAsyncClient;
_cryptoMaterialsManager = builder._cryptoMaterialsManager;
_secureRandom = builder._secureRandom;
_enableLegacyUnauthenticatedModes = builder._enableLegacyUnauthenticatedModes;
_enableDelayedAuthenticationMode = builder._enableDelayedAuthenticationMode;
_enableMultipartPutObject = builder._enableMultipartPutObject;
_multipartPipeline = builder._multipartPipeline;
_bufferSize = builder._bufferSize;
}
/**
* Creates a builder that can be used to configure and create a {@link S3EncryptionClient}.
*/
public static Builder builder() {
return new Builder();
}
/**
* Attaches encryption context to a request. Must be used as a parameter to
* {@link S3Request#overrideConfiguration()} in the request.
* Encryption context can be used to enforce authentication of ciphertext.
* The same encryption context used to encrypt MUST be provided on decrypt.
* Encryption context is only supported with KMS keys.
* @param encryptionContext the encryption context to use for the request.
* @return Consumer for use in overrideConfiguration()
*/
public static Consumer<AwsRequestOverrideConfiguration.Builder> withAdditionalConfiguration(Map<String, String> encryptionContext) {
return builder ->
builder.putExecutionAttribute(S3EncryptionClient.ENCRYPTION_CONTEXT, encryptionContext);
}
/**
* Attaches multipart configuration to a request. Must be used as a parameter to
* {@link S3Request#overrideConfiguration()} in the request.
* @param multipartConfiguration the {@link MultipartConfiguration} instance to use
* @return Consumer for use in overrideConfiguration()
*/
public static Consumer<AwsRequestOverrideConfiguration.Builder> withAdditionalConfiguration(MultipartConfiguration multipartConfiguration) {
return builder ->
builder.putExecutionAttribute(S3EncryptionClient.CONFIGURATION, multipartConfiguration);
}
/**
* Attaches encryption context and multipart configuration to a request.
* * Must be used as a parameter to
* {@link S3Request#overrideConfiguration()} in the request.
* Encryption context can be used to enforce authentication of ciphertext.
* The same encryption context used to encrypt MUST be provided on decrypt.
* Encryption context is only supported with KMS keys.
* @param encryptionContext the encryption context to use for the request.
* @param multipartConfiguration the {@link MultipartConfiguration} instance to use
* @return Consumer for use in overrideConfiguration()
*/
public static Consumer<AwsRequestOverrideConfiguration.Builder> withAdditionalConfiguration(Map<String, String> encryptionContext, MultipartConfiguration multipartConfiguration) {
return builder ->
builder.putExecutionAttribute(S3EncryptionClient.ENCRYPTION_CONTEXT, encryptionContext)
.putExecutionAttribute(S3EncryptionClient.CONFIGURATION, multipartConfiguration);
}
/**
* See {@link S3EncryptionClient#putObject(PutObjectRequest, RequestBody)}.
* <p>
* In the S3EncryptionClient, putObject encrypts the data in the requestBody as it is
* written to S3.
* </p>
* @param putObjectRequest the request instance
* @param requestBody
* The content to send to the service. A {@link RequestBody} can be created using one of several factory
* methods for various sources of data. For example, to create a request body from a file you can do the
* following.
* @return Result of the PutObject operation returned by the service.
* @throws SdkClientException If any client side error occurs such as an IO related failure, failure to get credentials, etc.
* @throws S3EncryptionClientException Base class for all encryption client exceptions.
*/
@Override
public PutObjectResponse putObject(PutObjectRequest putObjectRequest, RequestBody requestBody)
throws AwsServiceException, SdkClientException {
if (_enableMultipartPutObject) {
try {
CompleteMultipartUploadResponse completeResponse = multipartPutObject(putObjectRequest, requestBody);
PutObjectResponse response = PutObjectResponse.builder()
.eTag(completeResponse.eTag())
.build();
return response;
} catch (Throwable e) {
throw new S3EncryptionClientException("Exception while performing Multipart Upload PutObject", e);
}
}
PutEncryptedObjectPipeline pipeline = PutEncryptedObjectPipeline.builder()
.s3AsyncClient(_wrappedAsyncClient)
.cryptoMaterialsManager(_cryptoMaterialsManager)
.secureRandom(_secureRandom)
.build();
ExecutorService singleThreadExecutor = Executors.newSingleThreadExecutor();
try {
CompletableFuture<PutObjectResponse> futurePut = pipeline.putObject(putObjectRequest,
AsyncRequestBody.fromInputStream(
requestBody.contentStreamProvider().newStream(),
requestBody.optionalContentLength().orElse(-1L),
singleThreadExecutor
)
);
PutObjectResponse response = futurePut.join();
singleThreadExecutor.shutdown();
return response;
} catch (CompletionException completionException) {
singleThreadExecutor.shutdownNow();
throw new S3EncryptionClientException(completionException.getMessage(), completionException.getCause());
} catch (Exception exception) {
singleThreadExecutor.shutdownNow();
throw new S3EncryptionClientException(exception.getMessage(), exception);
}
}
/**
* See {@link S3EncryptionClient#getObject(GetObjectRequest, ResponseTransformer)}
* <p>
* In the S3EncryptionClient, getObject decrypts the data as it is read from S3.
* </p>
* @param getObjectRequest the request instance
* @param responseTransformer
* Functional interface for processing the streamed response content. The unmarshalled GetObjectResponse and
* an InputStream to the response content are provided as parameters to the callback. The callback may return
* a transformed type which will be the return value of this method. See
* {@link software.amazon.awssdk.core.sync.ResponseTransformer} for details on implementing this interface
* and for links to pre-canned implementations for common scenarios like downloading to a file.
* @return The transformed result of the ResponseTransformer.
* @throws SdkClientException If any client side error occurs such as an IO related failure, failure to get credentials, etc.
* @throws S3EncryptionClientException Base class for all encryption client exceptions.
*/
@Override
public <T> T getObject(GetObjectRequest getObjectRequest,
ResponseTransformer<GetObjectResponse, T> responseTransformer)
throws AwsServiceException, SdkClientException {
GetEncryptedObjectPipeline pipeline = GetEncryptedObjectPipeline.builder()
.s3AsyncClient(_wrappedAsyncClient)
.cryptoMaterialsManager(_cryptoMaterialsManager)
.enableLegacyUnauthenticatedModes(_enableLegacyUnauthenticatedModes)
.enableDelayedAuthentication(_enableDelayedAuthenticationMode)
.bufferSize(_bufferSize)
.build();
try {
ResponseInputStream<GetObjectResponse> joinFutureGet = pipeline.getObject(getObjectRequest, AsyncResponseTransformer.toBlockingInputStream()).join();
return responseTransformer.transform(joinFutureGet.response(), AbortableInputStream.create(joinFutureGet));
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to transform response.", e);
}
}
private CompleteMultipartUploadResponse multipartPutObject(PutObjectRequest request, RequestBody requestBody) throws Throwable {
// Similar logic exists in the MultipartUploadObjectPipeline,
// but the request types do not match so refactoring is not possible
final long contentLength;
if (request.contentLength() != null) {
if (requestBody.optionalContentLength().isPresent() && !request.contentLength().equals(requestBody.optionalContentLength().get())) {
// if the contentLength values do not match, throw an exception, since we don't know which is correct
throw new S3EncryptionClientException("The contentLength provided in the request object MUST match the " +
"contentLength in the request body");
} else if (!requestBody.optionalContentLength().isPresent()) {
// no contentLength in request body, use the one in request
contentLength = request.contentLength();
} else {
// only remaining case is when the values match, so either works here
contentLength = request.contentLength();
}
} else {
contentLength = requestBody.optionalContentLength().orElse(-1L);
}
if (contentLength > AlgorithmSuite.ALG_AES_256_GCM_IV12_TAG16_NO_KDF.cipherMaxContentLengthBytes()) {
throw new S3EncryptionClientException("The contentLength of the object you are attempting to encrypt exceeds" +
"the maximum length allowed for GCM encryption.");
}
MultipartConfiguration multipartConfiguration;
// If MultipartConfiguration is null, Initialize MultipartConfiguration
if (request.overrideConfiguration().isPresent()) {
multipartConfiguration = request.overrideConfiguration().get()
.executionAttributes()
.getOptionalAttribute(S3EncryptionClient.CONFIGURATION)
.orElse(MultipartConfiguration.builder().build());
} else {
multipartConfiguration = MultipartConfiguration.builder().build();
}
ExecutorService es = multipartConfiguration.executorService();
if (es == null) {
throw new S3EncryptionClientException("ExecutorService should not be null, Please initialize during MultipartConfiguration");
}
UploadObjectObserver observer = multipartConfiguration.uploadObjectObserver();
if (observer == null) {
throw new S3EncryptionClientException("UploadObjectObserver should not be null, Please initialize during MultipartConfiguration");
}
observer.init(request, _wrappedAsyncClient, this, es);
final String uploadId = observer.onUploadCreation(request);
final List<CompletedPart> partETags = new ArrayList<>();
MultiFileOutputStream outputStream = multipartConfiguration.multiFileOutputStream();
if (outputStream == null) {
throw new S3EncryptionClientException("MultiFileOutputStream should not be null, Please initialize during MultipartConfiguration");
}
try {
// initialize the multi-file output stream
outputStream.init(observer, multipartConfiguration.partSize(), multipartConfiguration.diskLimit());
// Kicks off the encryption-upload pipeline;
// Note outputStream is automatically closed upon method completion.
_multipartPipeline.putLocalObject(requestBody, uploadId, outputStream);
// block till all part have been uploaded
for (Future<Map<Integer, UploadPartResponse>> future : observer.futures()) {
Map<Integer, UploadPartResponse> partResponseMap = future.get();
partResponseMap.forEach((partNumber, uploadPartResponse) -> partETags.add(CompletedPart.builder()
.partNumber(partNumber)
.eTag(uploadPartResponse.eTag())
.build()));
}
} catch (IOException | InterruptedException | ExecutionException | RuntimeException | Error ex) {
throw onAbort(observer, ex);
} finally {
if (multipartConfiguration.usingDefaultExecutorService()) {
// shut down the thread pool if it was created by the encryption client
es.shutdownNow();
}
// delete left-over temp files
outputStream.cleanup();
}
// Complete upload
return observer.onCompletion(partETags);
}
private <T extends Throwable> T onAbort(UploadObjectObserver observer, T t) {
observer.onAbort();
throw new S3EncryptionClientException(t.getMessage(), t);
}
/**
* See {@link S3Client#deleteObject(DeleteObjectRequest)}.
* <p>
* In the S3 Encryption Client, deleteObject also deletes the instruction file,
* if present.
* </p>
* @param deleteObjectRequest the request instance
* @return Result of the DeleteObject operation returned by the service.
*/
@Override
public DeleteObjectResponse deleteObject(DeleteObjectRequest deleteObjectRequest) throws AwsServiceException,
SdkClientException {
DeleteObjectRequest actualRequest = deleteObjectRequest.toBuilder()
.overrideConfiguration(API_NAME_INTERCEPTOR)
.build();
try {
// Delete the object
DeleteObjectResponse deleteObjectResponse = _wrappedAsyncClient.deleteObject(actualRequest).join();
// If Instruction file exists, delete the instruction file as well.
String instructionObjectKey = deleteObjectRequest.key() + INSTRUCTION_FILE_SUFFIX;
_wrappedAsyncClient.deleteObject(builder -> builder
.overrideConfiguration(API_NAME_INTERCEPTOR)
.bucket(deleteObjectRequest.bucket())
.key(instructionObjectKey)).join();
// Return original deletion
return deleteObjectResponse;
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to delete object.", e);
}
}
/**
* See {@link S3Client#deleteObjects(DeleteObjectsRequest)}.
* <p>
* In the S3 Encryption Client, deleteObjects also deletes the instruction file(s),
* if present.
* </p>
* @param deleteObjectsRequest the request instance
* @return Result of the DeleteObjects operation returned by the service.
*/
@Override
public DeleteObjectsResponse deleteObjects(DeleteObjectsRequest deleteObjectsRequest) throws AwsServiceException,
SdkClientException {
DeleteObjectsRequest actualRequest = deleteObjectsRequest.toBuilder()
.overrideConfiguration(API_NAME_INTERCEPTOR)
.build();
try {
// Delete the objects
DeleteObjectsResponse deleteObjectsResponse = _wrappedAsyncClient.deleteObjects(actualRequest).join();
// If Instruction files exists, delete the instruction files as well.
List<ObjectIdentifier> deleteObjects = instructionFileKeysToDelete(deleteObjectsRequest);
_wrappedAsyncClient.deleteObjects(DeleteObjectsRequest.builder()
.overrideConfiguration(API_NAME_INTERCEPTOR)
.bucket(deleteObjectsRequest.bucket())
.delete(builder -> builder.objects(deleteObjects))
.build()).join();
return deleteObjectsResponse;
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to delete objects.", e);
}
}
/**
* See {@link S3Client#createMultipartUpload(CreateMultipartUploadRequest)}
* <p>
* In the S3EncryptionClient, createMultipartUpload creates an encrypted
* multipart upload. Parts MUST be uploaded sequentially.
* See {@link S3EncryptionClient#uploadPart(UploadPartRequest, RequestBody)} for details.
* </p>
* @param request the request instance
* @return Result of the CreateMultipartUpload operation returned by the service.
*/
@Override
public CreateMultipartUploadResponse createMultipartUpload(CreateMultipartUploadRequest request) {
try {
return _multipartPipeline.createMultipartUpload(request);
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to create Multipart upload.", e);
}
}
/**
* See {@link S3Client#uploadPart(UploadPartRequest, RequestBody)}
*
* <b>NOTE:</b> Because the encryption process requires context from block
* N-1 in order to encrypt block N, parts uploaded with the
* S3EncryptionClient (as opposed to the normal S3Client) must
* be uploaded serially, and in order. Otherwise, the previous encryption
* context isn't available to use when encrypting the current part.
* @param request the request instance
* @return Result of the UploadPart operation returned by the service.
*/
@Override
public UploadPartResponse uploadPart(UploadPartRequest request, RequestBody requestBody)
throws AwsServiceException, SdkClientException {
try {
return _multipartPipeline.uploadPart(request, requestBody);
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to upload part.", e);
}
}
/**
* See {@link S3Client#completeMultipartUpload(CompleteMultipartUploadRequest)}
* @param request the request instance
* @return Result of the CompleteMultipartUpload operation returned by the service.
*/
@Override
public CompleteMultipartUploadResponse completeMultipartUpload(CompleteMultipartUploadRequest request)
throws AwsServiceException, SdkClientException {
try {
return _multipartPipeline.completeMultipartUpload(request);
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to complete Multipart upload.", e);
}
}
/**
* See {@link S3Client#abortMultipartUpload(AbortMultipartUploadRequest)}
* @param request the request instance
* @return Result of the AbortMultipartUpload operation returned by the service.
*/
@Override
public AbortMultipartUploadResponse abortMultipartUpload(AbortMultipartUploadRequest request)
throws AwsServiceException, SdkClientException {
try {
return _multipartPipeline.abortMultipartUpload(request);
} catch (CompletionException e) {
throw new S3EncryptionClientException(e.getCause().getMessage(), e.getCause());
} catch (Exception e) {
throw new S3EncryptionClientException("Unable to abort Multipart upload.", e);
}
}
/**
* Closes the wrapped clients.
*/
@Override
public void close() {
_wrappedClient.close();
_wrappedAsyncClient.close();
}
// This is very similar to the S3AsyncEncryptionClient builder
// Make sure to keep both clients in mind when adding new builder options
public static class Builder implements S3BaseClientBuilder<Builder, S3EncryptionClient>, SdkSyncClientBuilder<Builder, S3EncryptionClient> {
// The non-encrypted APIs will use a default client.
private S3Client _wrappedClient;
private S3AsyncClient _wrappedAsyncClient;
private MultipartUploadObjectPipeline _multipartPipeline;
private CryptographicMaterialsManager _cryptoMaterialsManager;
private Keyring _keyring;
private SecretKey _aesKey;
private PartialRsaKeyPair _rsaKeyPair;
private String _kmsKeyId;
private boolean _enableLegacyWrappingAlgorithms = false;
private boolean _enableDelayedAuthenticationMode = false;
private boolean _enableMultipartPutObject = false;
private Provider _cryptoProvider = null;
private SecureRandom _secureRandom = new SecureRandom();
private boolean _enableLegacyUnauthenticatedModes = false;
private long _bufferSize = -1L;
// generic AwsClient configuration to be shared by default clients
private AwsCredentialsProvider _awsCredentialsProvider = null;
private Region _region = null;
private boolean _dualStackEnabled = false;
private boolean _fipsEnabled = false;
private ClientOverrideConfiguration _overrideConfiguration = null;
// this should only be applied to S3 clients
private URI _endpointOverride = null;
private S3Configuration _serviceConfiguration = null;
private Boolean _accelerate = null;
private Boolean _disableMultiRegionAccessPoints = null;
private Boolean _disableS3ExpressSessionAuth = null;
private Boolean _forcePathStyle = null;
private Boolean _useArnRegion = null;
private Boolean _crossRegionAccessEnabled = null;
private SdkHttpClient _httpClient = null;
private SdkHttpClient.Builder _httpClientBuilder = null;
private SdkAsyncHttpClient _asyncHttpClient = null;
private SdkAsyncHttpClient.Builder _asyncHttpClientBuilder = null;
private Builder() {
}
/**
* Sets the wrappedClient to be used for non-cryptographic operations.
*/
/*
* Note that this does NOT create a defensive clone of S3Client. Any modifications made to the wrapped
* S3Client will be reflected in this Builder.
*/
@SuppressFBWarnings(value = "EI_EXPOSE_REP2", justification = "Pass mutability into wrapping client")
public Builder wrappedClient(S3Client _wrappedClient) {
if (_wrappedClient instanceof S3EncryptionClient) {
throw new S3EncryptionClientException("Cannot use S3EncryptionClient as wrapped client");
}
this._wrappedClient = _wrappedClient;
return this;
}
/**
* Sets the wrappedAsyncClient to be used for cryptographic operations.
*/
/*
* Note that this does NOT create a defensive clone of S3AsyncClient. Any modifications made to the wrapped
* S3AsyncClient will be reflected in this Builder.
*/
@SuppressFBWarnings(value = "EI_EXPOSE_REP2", justification = "Pass mutability into wrapping client")
public Builder wrappedAsyncClient(S3AsyncClient _wrappedAsyncClient) {
if (_wrappedAsyncClient instanceof S3AsyncEncryptionClient) {
throw new S3EncryptionClientException("Cannot use S3AsyncEncryptionClient as wrapped client");
}
this._wrappedAsyncClient = _wrappedAsyncClient;
return this;
}
/**
* Specifies the {@link CryptographicMaterialsManager} to use for managing key wrapping keys.
* @param cryptoMaterialsManager the CMM to use
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder cryptoMaterialsManager(CryptographicMaterialsManager cryptoMaterialsManager) {
this._cryptoMaterialsManager = cryptoMaterialsManager;
checkKeyOptions();
return this;
}
/**
* Specifies the {@link Keyring} to use for key wrapping and unwrapping.
* @param keyring the Keyring instance to use
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder keyring(Keyring keyring) {
this._keyring = keyring;
checkKeyOptions();
return this;
}
/**
* Specifies a "raw" AES key to use for key wrapping/unwrapping.
* @param aesKey the AES key as a {@link SecretKey} instance
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder aesKey(SecretKey aesKey) {
this._aesKey = aesKey;
checkKeyOptions();
return this;
}
/**
* Specifies a "raw" RSA key pair to use for key wrapping/unwrapping.
* @param rsaKeyPair the RSA key pair as a {@link KeyPair} instance
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder rsaKeyPair(KeyPair rsaKeyPair) {
this._rsaKeyPair = new PartialRsaKeyPair(rsaKeyPair);
checkKeyOptions();
return this;
}
/**
* Specifies a "raw" RSA key pair to use for key wrapping/unwrapping.
* This option takes a {@link PartialRsaKeyPair} instance, which allows
* either a public key (decryption only) or private key (encryption only)
* rather than requiring both parts.
* @param partialRsaKeyPair the RSA key pair as a {@link PartialRsaKeyPair} instance
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder rsaKeyPair(PartialRsaKeyPair partialRsaKeyPair) {
this._rsaKeyPair = partialRsaKeyPair;
checkKeyOptions();
return this;
}
/**
* Specifies a KMS key to use for key wrapping/unwrapping. Any valid KMS key
* identifier (including the full ARN or an alias ARN) is permitted. When
* decrypting objects, the key referred to by this KMS key identifier is
* always used.
* @param kmsKeyId the KMS key identifier as a {@link String} instance
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder kmsKeyId(String kmsKeyId) {
this._kmsKeyId = kmsKeyId;
checkKeyOptions();
return this;
}
// We only want one way to use a key, if more than one is set, throw an error
private void checkKeyOptions() {
if (onlyOneNonNull(_cryptoMaterialsManager, _keyring, _aesKey, _rsaKeyPair, _kmsKeyId)) {
return;
}
throw new S3EncryptionClientException("Only one may be set of: crypto materials manager, keyring, AES key, RSA key pair, KMS key id");
}
private boolean onlyOneNonNull(Object... values) {
boolean haveOneNonNull = false;
for (Object o : values) {
if (o != null) {
if (haveOneNonNull) {
return false;
}
haveOneNonNull = true;
}
}
return haveOneNonNull;
}
/**
* When set to true, decryption of objects using legacy key wrapping
* modes is enabled.
* @param shouldEnableLegacyWrappingAlgorithms true to enable legacy wrapping algorithms
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder enableLegacyWrappingAlgorithms(boolean shouldEnableLegacyWrappingAlgorithms) {
this._enableLegacyWrappingAlgorithms = shouldEnableLegacyWrappingAlgorithms;
return this;
}
/**
* When set to true, decryption of content using legacy encryption algorithms
* is enabled. This includes use of GetObject requests with a range, as this
* mode is not authenticated.
* @param shouldEnableLegacyUnauthenticatedModes true to enable legacy content algorithms
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder enableLegacyUnauthenticatedModes(boolean shouldEnableLegacyUnauthenticatedModes) {
this._enableLegacyUnauthenticatedModes = shouldEnableLegacyUnauthenticatedModes;
return this;
}
/**
* When set to true, authentication of streamed objects is delayed until the
* entire object is read from the stream. When this mode is enabled, the consuming
* application must support a way to invalidate any data read from the stream as
* the tag will not be validated until the stream is read to completion, as the
* integrity of the data cannot be ensured. See the AWS Documentation for more
* information.
* @param shouldEnableDelayedAuthenticationMode true to enable delayed authentication
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder enableDelayedAuthenticationMode(boolean shouldEnableDelayedAuthenticationMode) {
this._enableDelayedAuthenticationMode = shouldEnableDelayedAuthenticationMode;
return this;
}
/**
* When set to true, the putObject method will use multipart upload to perform
* the upload. Disabled by default.
* @param _enableMultipartPutObject true enables the multipart upload implementation of putObject
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder enableMultipartPutObject(boolean _enableMultipartPutObject) {
this._enableMultipartPutObject = _enableMultipartPutObject;
return this;
}
/**
* Sets the buffer size for safe authentication used when delayed authentication mode is disabled.
* If buffer size is not given during client configuration, default buffer size is set to 64MiB.
* @param bufferSize the desired buffer size in Bytes.
* @return Returns a reference to this object so that method calls can be chained together.
* @throws S3EncryptionClientException if the specified buffer size is outside the allowed bounds
*/
public Builder setBufferSize(long bufferSize) {
if (bufferSize < MIN_ALLOWED_BUFFER_SIZE_BYTES || bufferSize > MAX_ALLOWED_BUFFER_SIZE_BYTES) {
throw new S3EncryptionClientException("Invalid buffer size: " + bufferSize + " Bytes. Buffer size must be between " + MIN_ALLOWED_BUFFER_SIZE_BYTES + " and " + MAX_ALLOWED_BUFFER_SIZE_BYTES + " Bytes.");
}
this._bufferSize = bufferSize;
return this;
}
/**
* Allows the user to pass an instance of {@link Provider} to be used
* for cryptographic operations. By default, the S3 Encryption Client
* will use the first compatible {@link Provider} in the chain. When this option
* is used, the given provider will be used for all cryptographic operations.
* If the provider is missing a required algorithm suite, e.g. AES-GCM, then
* operations may fail.
* Advanced option. Users who configure a {@link Provider} are responsible
* for the security and correctness of the provider.
* @param cryptoProvider the {@link Provider to always use}
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder cryptoProvider(Provider cryptoProvider) {
this._cryptoProvider = cryptoProvider;
return this;
}
/**
* Allows the user to pass an instance of {@link SecureRandom} to be used
* for generating keys and IVs. Advanced option. Users who provide a {@link SecureRandom}
* are responsible for the security and correctness of the {@link SecureRandom} implementation.
* @param secureRandom the {@link SecureRandom} instance to use
* @return Returns a reference to this object so that method calls can be chained together.
*/
public Builder secureRandom(SecureRandom secureRandom) {
if (secureRandom == null) {
throw new S3EncryptionClientException("SecureRandom provided to S3EncryptionClient cannot be null");
}
_secureRandom = secureRandom;
return this;
}
/**
* The credentials provider to use for all inner clients, including KMS, if a KMS key ID is provided.
* Note that if a wrapped client is configured, the wrapped client will take precedence over this option.
* @param awsCredentialsProvider
* @return
*/
@Override
public Builder credentialsProvider(AwsCredentialsProvider awsCredentialsProvider) {
_awsCredentialsProvider = awsCredentialsProvider;
return this;
}
/**
* The AWS region to use for all inner clients, including KMS, if a KMS key ID is provided.
* @param region
* @return
*/
@Override
public Builder region(Region region) {
_region = region;
return this;
}
/**
* Configure whether the SDK should use the AWS dualstack endpoint.
*
* <p>If this is not specified, the SDK will attempt to determine whether the dualstack endpoint should be used
* automatically using the following logic:
* <ol>
* <li>Check the 'aws.useDualstackEndpoint' system property for 'true' or 'false'.</li>
* <li>Check the 'AWS_USE_DUALSTACK_ENDPOINT' environment variable for 'true' or 'false'.</li>
* <li>Check the {user.home}/.aws/credentials and {user.home}/.aws/config files for the 'use_dualstack_endpoint'
* property set to 'true' or 'false'.</li>
* </ol>
*
* <p>If the setting is not found in any of the locations above, 'false' will be used.
*/
@Override
public Builder dualstackEnabled(Boolean isDualStackEnabled) {
_dualStackEnabled = Optional.ofNullable(isDualStackEnabled).orElse(Boolean.FALSE);
return this;
}
/**
* Configure whether the wrapped SDK clients should use the AWS FIPS endpoints.
* Note that this option only enables FIPS for the service endpoints which the SDK clients use,
* it does not enable FIPS for the S3EC itself. Use a FIPS-enabled CryptoProvider for full FIPS support.
*
* <p>If this is not specified, the SDK will attempt to determine whether the FIPS endpoint should be used
* automatically using the following logic:
* <ol>
* <li>Check the 'aws.useFipsEndpoint' system property for 'true' or 'false'.</li>
* <li>Check the 'AWS_USE_FIPS_ENDPOINT' environment variable for 'true' or 'false'.</li>
* <li>Check the {user.home}/.aws/credentials and {user.home}/.aws/config files for the 'use_fips_endpoint'
* property set to 'true' or 'false'.</li>
* </ol>
*
* <p>If the setting is not found in any of the locations above, 'false' will be used.
*/
@Override
public Builder fipsEnabled(Boolean isFipsEnabled) {
_fipsEnabled = Optional.ofNullable(isFipsEnabled).orElse(Boolean.FALSE);
return this;
}
/**
* Specify overrides to the default SDK configuration that should be used for clients created by this builder.
*/
@Override
public Builder overrideConfiguration(ClientOverrideConfiguration overrideConfiguration) {
_overrideConfiguration = overrideConfiguration;
return this;
}
/**
* Retrieve the current override configuration. This allows further overrides across calls. Can be modified by first
* converting to a builder with {@link ClientOverrideConfiguration#toBuilder()}.
*
* @return The existing override configuration for the builder.
*/
@Override
public ClientOverrideConfiguration overrideConfiguration() {
return _overrideConfiguration;
}
/**
* Configure the endpoint with which the SDK should communicate.
* NOTE: For the S3EncryptionClient, this ONLY overrides the endpoint for S3 clients.
* To set the endpointOverride for a KMS client, explicitly configure it and create a
* KmsKeyring instance for the encryption client to use.
* <p>
* It is important to know that {@link EndpointProvider}s and the endpoint override on the client are not mutually
* exclusive. In all existing cases, the endpoint override is passed as a parameter to the provider and the provider *may*
* modify it. For example, the S3 provider may add the bucket name as a prefix to the endpoint override for virtual bucket
* addressing.
*
* @param endpointOverride
*/
@Override
public Builder endpointOverride(URI endpointOverride) {
_endpointOverride = endpointOverride;
return this;
}
@Override
public Builder serviceConfiguration(S3Configuration serviceConfiguration) {
_serviceConfiguration = serviceConfiguration;
return this;
}
/**
* Enables this client to use S3 Transfer Acceleration endpoints.
*
* @param accelerate
*/
@Override
public Builder accelerate(Boolean accelerate) {
_accelerate = accelerate;
return this;
}
/**
* Disables this client's usage of Multi-Region Access Points.
*
* @param disableMultiRegionAccessPoints
*/
@Override
public Builder disableMultiRegionAccessPoints(Boolean disableMultiRegionAccessPoints) {
_disableMultiRegionAccessPoints = disableMultiRegionAccessPoints;
return this;
}
/**
* Disables this client's usage of Session Auth for S3Express buckets and reverts to using conventional SigV4 for
* those.
*
* @param disableS3ExpressSessionAuth
*/
@Override
public Builder disableS3ExpressSessionAuth(Boolean disableS3ExpressSessionAuth) {
_disableS3ExpressSessionAuth = disableS3ExpressSessionAuth;
return this;
}
/**
* Forces this client to use path-style addressing for buckets.
*
* @param forcePathStyle
*/
@Override
public Builder forcePathStyle(Boolean forcePathStyle) {
_forcePathStyle = forcePathStyle;
return this;
}
/**
* Enables this client to use an ARN's region when constructing an endpoint instead of the client's configured
* region.
*
* @param useArnRegion
*/
@Override
public Builder useArnRegion(Boolean useArnRegion) {
_useArnRegion = useArnRegion;
return this;
}
/**
* Enables cross-region bucket access for this client
*
* @param crossRegionAccessEnabled
*/
@Override
public Builder crossRegionAccessEnabled(Boolean crossRegionAccessEnabled) {
_crossRegionAccessEnabled = crossRegionAccessEnabled;
return this;
}
/**
* Sets the {@link SdkHttpClient} that the SDK service client will use to make HTTP calls. This HTTP client may be
* shared between multiple SDK service clients to share a common connection pool. To create a client you must use an
* implementation-specific builder. Note that this method is only recommended when you wish to share an HTTP client across
* multiple SDK service clients. If you do not wish to share HTTP clients, it is recommended to use
* {@link #httpClientBuilder(SdkHttpClient.Builder)} so that service-specific default configuration may be applied.
*
* <p>
* <b>This client must be closed by the user when it is ready to be disposed. The SDK will not close the HTTP client
* when the service client is closed.</b>
* </p>
*
* @param httpClient
*/
@Override
public Builder httpClient(SdkHttpClient httpClient) {
_httpClient = httpClient;
return this;
}
/**
* Sets a {@link SdkHttpClient.Builder} that will be used to obtain a configured instance of {@link SdkHttpClient}. Any
* service-specific HTTP configuration will be merged with the builder's configuration prior to creating the client. When
* there is no desire to share HTTP clients across multiple service clients, the client builder is the preferred way to
* customize the HTTP client as it benefits from service-specific default configuration.
*
* <p>
* <b>Clients created by the builder are managed by the SDK and will be closed when the service client is closed.</b>
* </p>
*
* @param httpClientBuilder
*/