-
-
Notifications
You must be signed in to change notification settings - Fork 467
Expand file tree
/
Copy pathSentry.java
More file actions
1372 lines (1229 loc) · 48 KB
/
Sentry.java
File metadata and controls
1372 lines (1229 loc) · 48 KB
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
package io.sentry;
import io.sentry.backpressure.BackpressureMonitor;
import io.sentry.backpressure.NoOpBackpressureMonitor;
import io.sentry.cache.EnvelopeCache;
import io.sentry.cache.IEnvelopeCache;
import io.sentry.cache.PersistingScopeObserver;
import io.sentry.config.PropertiesProviderFactory;
import io.sentry.internal.debugmeta.NoOpDebugMetaLoader;
import io.sentry.internal.debugmeta.ResourcesDebugMetaLoader;
import io.sentry.internal.modules.CompositeModulesLoader;
import io.sentry.internal.modules.IModulesLoader;
import io.sentry.internal.modules.ManifestModulesLoader;
import io.sentry.internal.modules.NoOpModulesLoader;
import io.sentry.internal.modules.ResourcesModulesLoader;
import io.sentry.logger.ILoggerApi;
import io.sentry.metrics.IMetricsApi;
import io.sentry.opentelemetry.OpenTelemetryUtil;
import io.sentry.protocol.Feedback;
import io.sentry.protocol.SentryId;
import io.sentry.protocol.User;
import io.sentry.transport.NoOpEnvelopeCache;
import io.sentry.util.AutoClosableReentrantLock;
import io.sentry.util.DebugMetaPropertiesApplier;
import io.sentry.util.FileUtils;
import io.sentry.util.InitUtil;
import io.sentry.util.LoadClass;
import io.sentry.util.Platform;
import io.sentry.util.SentryRandom;
import io.sentry.util.thread.IThreadChecker;
import io.sentry.util.thread.NoOpThreadChecker;
import io.sentry.util.thread.ThreadChecker;
import java.io.BufferedWriter;
import java.io.File;
import java.io.FileOutputStream;
import java.io.OutputStream;
import java.io.OutputStreamWriter;
import java.io.Writer;
import java.lang.reflect.InvocationTargetException;
import java.nio.charset.Charset;
import java.util.Arrays;
import java.util.List;
import java.util.Properties;
import java.util.concurrent.RejectedExecutionException;
import java.util.concurrent.TimeUnit;
import org.jetbrains.annotations.ApiStatus;
import org.jetbrains.annotations.NotNull;
import org.jetbrains.annotations.Nullable;
/** Sentry SDK main API entry point */
public final class Sentry {
private Sentry() {}
// TODO logger?
private static volatile @NotNull IScopesStorage scopesStorage = NoOpScopesStorage.getInstance();
/** The root Scopes or NoOp if Sentry is disabled. */
private static volatile @NotNull IScopes rootScopes = NoOpScopes.getInstance();
/**
* This initializes global scope with default options. Options will later be replaced on
* Sentry.init
*
* <p>For Android options will also be (temporarily) replaced by SentryAndroid static block.
*/
// TODO https://github.com/getsentry/sentry-java/issues/2541
private static final @NotNull IScope globalScope = new Scope(SentryOptions.empty());
/** Default value for globalHubMode is false */
private static final boolean GLOBAL_HUB_DEFAULT_MODE = false;
/** whether to use a single (global) Scopes as opposed to one per thread. */
private static volatile boolean globalHubMode = GLOBAL_HUB_DEFAULT_MODE;
@ApiStatus.Internal
public static final @NotNull String APP_START_PROFILING_CONFIG_FILE_NAME =
"app_start_profiling_config";
@SuppressWarnings("CharsetObjectCanBeUsed")
private static final Charset UTF_8 = Charset.forName("UTF-8");
/** Timestamp used to check old profiles to delete. */
private static final long classCreationTimestamp = System.currentTimeMillis();
private static final AutoClosableReentrantLock lock = new AutoClosableReentrantLock();
/**
* Returns the current (threads) hub, if none, clones the rootScopes and returns it.
*
* @deprecated please use {@link Sentry#getCurrentScopes()} instead
* @return the hub
*/
@ApiStatus.Internal // exposed for the coroutines integration in SentryContext
@SuppressWarnings("deprecation")
@Deprecated
public static @NotNull IHub getCurrentHub() {
return new HubScopesWrapper(getCurrentScopes());
}
@ApiStatus.Internal
@SuppressWarnings("deprecation")
public static @NotNull IScopes getCurrentScopes() {
return getCurrentScopes(true);
}
/**
* Returns the current contexts scopes.
*
* @param ensureForked if true, forks root scopes in case there are no scopes for this context if
* false, returns NoOpScopes if there are no scopes for this context
* @return current scopes, a root scopes fork or NoopScopes
*/
@ApiStatus.Internal
@SuppressWarnings("deprecation")
public static @NotNull IScopes getCurrentScopes(final boolean ensureForked) {
if (globalHubMode) {
return rootScopes;
}
@Nullable IScopes scopes = getScopesStorage().get();
if (scopes == null || scopes.isNoOp()) {
if (!ensureForked) {
return NoOpScopes.getInstance();
} else {
scopes = rootScopes.forkedScopes("getCurrentScopes");
getScopesStorage().set(scopes);
}
}
return scopes;
}
private static @NotNull IScopesStorage getScopesStorage() {
return scopesStorage;
}
/**
* Returns a new Scopes which is cloned from the rootScopes.
*
* @return the forked scopes
*/
@ApiStatus.Internal
public static @NotNull IScopes forkedRootScopes(final @NotNull String creator) {
if (globalHubMode) {
return rootScopes;
}
return rootScopes.forkedScopes(creator);
}
public static @NotNull IScopes forkedScopes(final @NotNull String creator) {
return getCurrentScopes().forkedScopes(creator);
}
public static @NotNull IScopes forkedCurrentScope(final @NotNull String creator) {
return getCurrentScopes().forkedCurrentScope(creator);
}
/**
* @deprecated please use {@link Sentry#setCurrentScopes} instead.
*/
@ApiStatus.Internal // exposed for the coroutines integration in SentryContext
@Deprecated
@SuppressWarnings({"deprecation", "InlineMeSuggester"})
public static @NotNull ISentryLifecycleToken setCurrentHub(final @NotNull IHub hub) {
return setCurrentScopes(hub);
}
@ApiStatus.Internal // exposed for the coroutines integration in SentryContext
public static @NotNull ISentryLifecycleToken setCurrentScopes(final @NotNull IScopes scopes) {
return getScopesStorage().set(scopes);
}
public static @NotNull IScope getGlobalScope() {
return globalScope;
}
/**
* Check if Sentry is enabled/active.
*
* @return true if its enabled or false otherwise.
*/
public static boolean isEnabled() {
return getCurrentScopes().isEnabled();
}
/** Initializes the SDK */
public static void init() {
init(options -> options.setEnableExternalConfiguration(true), GLOBAL_HUB_DEFAULT_MODE);
}
/**
* Initializes the SDK
*
* @param dsn The Sentry DSN
*/
public static void init(final @NotNull String dsn) {
init(options -> options.setDsn(dsn));
}
/**
* Initializes the SDK
*
* @param clazz OptionsContainer for SentryOptions
* @param optionsConfiguration configuration options callback
* @param <T> class that extends SentryOptions
* @throws IllegalAccessException the IllegalAccessException
* @throws InstantiationException the InstantiationException
* @throws NoSuchMethodException the NoSuchMethodException
* @throws InvocationTargetException the InvocationTargetException
*/
public static <T extends SentryOptions> void init(
final @NotNull OptionsContainer<T> clazz,
final @NotNull OptionsConfiguration<T> optionsConfiguration)
throws IllegalAccessException,
InstantiationException,
NoSuchMethodException,
InvocationTargetException {
init(clazz, optionsConfiguration, GLOBAL_HUB_DEFAULT_MODE);
}
/**
* Initializes the SDK
*
* @param clazz OptionsContainer for SentryOptions
* @param optionsConfiguration configuration options callback
* @param globalHubMode the globalHubMode
* @param <T> class that extends SentryOptions
* @throws IllegalAccessException the IllegalAccessException
* @throws InstantiationException the InstantiationException
* @throws NoSuchMethodException the NoSuchMethodException
* @throws InvocationTargetException the InvocationTargetException
*/
public static <T extends SentryOptions> void init(
final @NotNull OptionsContainer<T> clazz,
final @NotNull OptionsConfiguration<T> optionsConfiguration,
final boolean globalHubMode)
throws IllegalAccessException,
InstantiationException,
NoSuchMethodException,
InvocationTargetException {
final T options = clazz.createInstance();
applyOptionsConfiguration(optionsConfiguration, options);
init(options, globalHubMode);
}
/**
* Initializes the SDK with an optional configuration options callback.
*
* @param optionsConfiguration configuration options callback
*/
public static void init(final @NotNull OptionsConfiguration<SentryOptions> optionsConfiguration) {
init(optionsConfiguration, GLOBAL_HUB_DEFAULT_MODE);
}
/**
* Initializes the SDK with an optional configuration options callback.
*
* @param optionsConfiguration configuration options callback
* @param globalHubMode the globalHubMode
*/
public static void init(
final @NotNull OptionsConfiguration<SentryOptions> optionsConfiguration,
final boolean globalHubMode) {
final SentryOptions options = new SentryOptions();
applyOptionsConfiguration(optionsConfiguration, options);
init(options, globalHubMode);
}
private static <T extends SentryOptions> void applyOptionsConfiguration(
OptionsConfiguration<T> optionsConfiguration, T options) {
try {
optionsConfiguration.configure(options);
} catch (Throwable t) {
options
.getLogger()
.log(SentryLevel.ERROR, "Error in the 'OptionsConfiguration.configure' callback.", t);
}
}
/**
* Initializes the SDK with a SentryOptions.
*
* @param options options the SentryOptions
*/
@ApiStatus.Internal
public static void init(final @NotNull SentryOptions options) {
init(options, GLOBAL_HUB_DEFAULT_MODE);
}
/**
* Initializes the SDK with a SentryOptions and globalHubMode
*
* @param options options the SentryOptions
* @param globalHubMode the globalHubMode
*/
@SuppressWarnings({
"deprecation",
"Convert2MethodRef",
"FutureReturnValueIgnored"
}) // older AGP versions do not support method references
private static void init(final @NotNull SentryOptions options, final boolean globalHubMode) {
try (final @NotNull ISentryLifecycleToken ignored = lock.acquire()) {
if (!options.getClass().getName().equals("io.sentry.android.core.SentryAndroidOptions")
&& Platform.isAndroid()) {
throw new IllegalArgumentException(
"You are running Android. Please, use SentryAndroid.init. "
+ options.getClass().getName());
}
if (!preInitConfigurations(options)) {
return;
}
final @Nullable Boolean globalHubModeFromOptions = options.isGlobalHubMode();
final boolean globalHubModeToUse =
globalHubModeFromOptions != null ? globalHubModeFromOptions : globalHubMode;
options
.getLogger()
.log(SentryLevel.INFO, "GlobalHubMode: '%s'", String.valueOf(globalHubModeToUse));
Sentry.globalHubMode = globalHubModeToUse;
initFatalLogger(options);
final boolean shouldInit =
InitUtil.shouldInit(globalScope.getOptions(), options, isEnabled());
if (shouldInit) {
if (isEnabled()) {
options
.getLogger()
.log(
SentryLevel.WARNING,
"Sentry has been already initialized. Previous configuration will be overwritten.");
}
final IScopes scopes = getCurrentScopes();
scopes.close(true);
globalScope.replaceOptions(options);
final IScope rootScope = new Scope(options);
final IScope rootIsolationScope = new Scope(options);
rootScopes = new Scopes(rootScope, rootIsolationScope, globalScope, "Sentry.init");
initLogger(options);
initForOpenTelemetryMaybe(options);
getScopesStorage().set(rootScopes);
initConfigurations(options);
globalScope.bindClient(new SentryClient(options));
// If the executorService passed in the init is the same that was previously closed, we have
// to set a new one
if (options.getExecutorService().isClosed()) {
options.setExecutorService(new SentryExecutorService(options));
options.getExecutorService().prewarm();
}
// load lazy fields of the options in a separate thread
try {
options.getExecutorService().submit(() -> options.loadLazyFields());
} catch (RejectedExecutionException e) {
options
.getLogger()
.log(
SentryLevel.DEBUG,
"Failed to call the executor. Lazy fields will not be loaded. Did you call Sentry.close()?",
e);
}
movePreviousSession(options);
// when integrations are registered on Scopes ctor and async integrations are fired,
// it might and actually happened that integrations called captureSomething
// and Scopes was still NoOp.
// Registering integrations here make sure that Scopes is already created.
for (final Integration integration : options.getIntegrations()) {
try {
integration.register(ScopesAdapter.getInstance(), options);
} catch (Throwable t) {
options
.getLogger()
.log(
SentryLevel.WARNING,
"Failed to register the integration " + integration.getClass().getName(),
t);
}
}
notifyOptionsObservers(options);
finalizePreviousSession(options, ScopesAdapter.getInstance());
handleAppStartProfilingConfig(options, options.getExecutorService());
options
.getLogger()
.log(SentryLevel.DEBUG, "Using openTelemetryMode %s", options.getOpenTelemetryMode());
options
.getLogger()
.log(
SentryLevel.DEBUG,
"Using span factory %s",
options.getSpanFactory().getClass().getName());
options
.getLogger()
.log(SentryLevel.DEBUG, "Using scopes storage %s", scopesStorage.getClass().getName());
} else {
options
.getLogger()
.log(
SentryLevel.WARNING,
"This init call has been ignored due to priority being too low.");
}
}
}
private static void initForOpenTelemetryMaybe(SentryOptions options) {
OpenTelemetryUtil.updateOpenTelemetryModeIfAuto(options, new LoadClass());
if (SentryOpenTelemetryMode.OFF == options.getOpenTelemetryMode()) {
options.setSpanFactory(new DefaultSpanFactory());
// } else {
// enabling this causes issues with agentless where OTel spans seem to be randomly ended
// options.setSpanFactory(SpanFactoryFactory.create(new LoadClass(),
// NoOpLogger.getInstance()));
}
initScopesStorage(options);
OpenTelemetryUtil.applyIgnoredSpanOrigins(options);
}
private static void initLogger(final @NotNull SentryOptions options) {
if (options.isDebug() && options.getLogger() instanceof NoOpLogger) {
options.setLogger(new SystemOutLogger());
}
}
private static void initFatalLogger(final @NotNull SentryOptions options) {
if (options.getFatalLogger() instanceof NoOpLogger) {
options.setFatalLogger(new SystemOutLogger());
}
}
private static void initScopesStorage(SentryOptions options) {
getScopesStorage().close();
if (SentryOpenTelemetryMode.OFF == options.getOpenTelemetryMode()) {
scopesStorage = new DefaultScopesStorage();
} else {
scopesStorage = ScopesStorageFactory.create(new LoadClass(), NoOpLogger.getInstance());
}
}
@SuppressWarnings("FutureReturnValueIgnored")
private static void handleAppStartProfilingConfig(
final @NotNull SentryOptions options,
final @NotNull ISentryExecutorService sentryExecutorService) {
try {
sentryExecutorService.submit(
() -> {
final String cacheDirPath = options.getCacheDirPathWithoutDsn();
if (cacheDirPath != null) {
final @NotNull File appStartProfilingConfigFile =
new File(cacheDirPath, APP_START_PROFILING_CONFIG_FILE_NAME);
try {
// We always delete the config file for app start profiling
FileUtils.deleteRecursively(appStartProfilingConfigFile);
if (!options.isEnableAppStartProfiling() && !options.isStartProfilerOnAppStart()) {
return;
}
// isStartProfilerOnAppStart doesn't need tracing, as it can be started/stopped
// manually
if (!options.isStartProfilerOnAppStart() && !options.isTracingEnabled()) {
options
.getLogger()
.log(
SentryLevel.INFO,
"Tracing is disabled and app start profiling will not start.");
return;
}
if (appStartProfilingConfigFile.createNewFile()) {
// If old app start profiling is false, it means the transaction will not be
// sampled, but we create the file anyway to allow continuous profiling on app
// start
final @NotNull TracesSamplingDecision appStartSamplingDecision =
options.isEnableAppStartProfiling()
? sampleAppStartProfiling(options)
: new TracesSamplingDecision(false);
final @NotNull SentryAppStartProfilingOptions appStartProfilingOptions =
new SentryAppStartProfilingOptions(options, appStartSamplingDecision);
try (final OutputStream outputStream =
new FileOutputStream(appStartProfilingConfigFile);
final Writer writer =
new BufferedWriter(new OutputStreamWriter(outputStream, UTF_8))) {
options.getSerializer().serialize(appStartProfilingOptions, writer);
}
}
} catch (Throwable e) {
options
.getLogger()
.log(
SentryLevel.ERROR, "Unable to create app start profiling config file. ", e);
}
}
});
} catch (Throwable e) {
options
.getLogger()
.log(
SentryLevel.ERROR,
"Failed to call the executor. App start profiling config will not be changed. Did you call Sentry.close()?",
e);
}
}
private static @NotNull TracesSamplingDecision sampleAppStartProfiling(
final @NotNull SentryOptions options) {
TransactionContext appStartTransactionContext = new TransactionContext("app.launch", "profile");
appStartTransactionContext.setForNextAppStart(true);
SamplingContext appStartSamplingContext =
new SamplingContext(
appStartTransactionContext, null, SentryRandom.current().nextDouble(), null);
return options.getInternalTracesSampler().sample(appStartSamplingContext);
}
@SuppressWarnings("FutureReturnValueIgnored")
private static void movePreviousSession(final @NotNull SentryOptions options) {
// enqueue a task to move previous unfinished session to its own file
try {
options.getExecutorService().submit(new MovePreviousSession(options));
} catch (Throwable e) {
options.getLogger().log(SentryLevel.DEBUG, "Failed to move previous session.", e);
}
}
@SuppressWarnings("FutureReturnValueIgnored")
private static void finalizePreviousSession(
final @NotNull SentryOptions options, final @NotNull IScopes scopes) {
// enqueue a task to finalize previous session. Since the executor
// is single-threaded, this task will be enqueued sequentially after all integrations that have
// to modify the previous session have done their work, even if they do that async.
try {
options.getExecutorService().submit(new PreviousSessionFinalizer(options, scopes));
} catch (Throwable e) {
options.getLogger().log(SentryLevel.DEBUG, "Failed to finalize previous session.", e);
}
}
@SuppressWarnings("FutureReturnValueIgnored")
private static void notifyOptionsObservers(final @NotNull SentryOptions options) {
// enqueue a task to trigger the static options change for the observers. Since the executor
// is single-threaded, this task will be enqueued sequentially after all integrations that rely
// on the observers have done their work, even if they do that async.
try {
options
.getExecutorService()
.submit(
() -> {
// for static things like sentry options we can immediately trigger observers
for (final IOptionsObserver observer : options.getOptionsObservers()) {
observer.setRelease(options.getRelease());
observer.setProguardUuid(options.getProguardUuid());
observer.setSdkVersion(options.getSdkVersion());
observer.setDist(options.getDist());
observer.setEnvironment(options.getEnvironment());
observer.setTags(options.getTags());
observer.setReplayErrorSampleRate(
options.getSessionReplay().getOnErrorSampleRate());
}
// since it's a new SDK init we clean up persisted scope values before serializing
// new ones, so they are not making it to the new events if they were e.g. disabled
// (e.g. replayId) or are simply irrelevant (e.g. breadcrumbs). NOTE: this happens
// after the integrations relying on those values are done with processing them.
final @Nullable PersistingScopeObserver scopeCache =
options.findPersistingScopeObserver();
if (scopeCache != null) {
scopeCache.resetCache();
}
});
} catch (Throwable e) {
options.getLogger().log(SentryLevel.DEBUG, "Failed to notify options observers.", e);
}
}
private static boolean preInitConfigurations(final @NotNull SentryOptions options) {
if (options.isEnableExternalConfiguration()) {
options.merge(ExternalOptions.from(PropertiesProviderFactory.create(), options.getLogger()));
}
final String dsn = options.getDsn();
if (!options.isEnabled() || (dsn != null && dsn.isEmpty())) {
close();
return false;
} else if (dsn == null) {
throw new IllegalArgumentException(
"DSN is required. Use empty string or set enabled to false in SentryOptions to disable SDK.");
}
// This creates the DSN object and performs some checks
options.retrieveParsedDsn();
return true;
}
// older AGP versions do not support method references
@SuppressWarnings({"FutureReturnValueIgnored", "Convert2MethodRef"})
private static void initConfigurations(final @NotNull SentryOptions options) {
final @NotNull ILogger logger = options.getLogger();
logger.log(SentryLevel.INFO, "Initializing SDK with DSN: '%s'", options.getDsn());
// TODO: read values from conf file, Build conf or system envs
// eg release, distinctId, sentryClientName
// this should be after setting serializers
final String outboxPath = options.getOutboxPath();
if (outboxPath != null) {
final File outboxDir = new File(outboxPath);
options.getRuntimeManager().runWithRelaxedPolicy(() -> outboxDir.mkdirs());
} else {
logger.log(SentryLevel.INFO, "No outbox dir path is defined in options.");
}
final String cacheDirPath = options.getCacheDirPath();
if (cacheDirPath != null) {
final File cacheDir = new File(cacheDirPath);
options.getRuntimeManager().runWithRelaxedPolicy(() -> cacheDir.mkdirs());
final IEnvelopeCache envelopeCache = options.getEnvelopeDiskCache();
// only overwrite the cache impl if it's not already set
if (envelopeCache instanceof NoOpEnvelopeCache) {
options.setEnvelopeDiskCache(EnvelopeCache.create(options));
}
}
final String profilingTracesDirPath = options.getProfilingTracesDirPath();
if ((options.isProfilingEnabled() || options.isContinuousProfilingEnabled())
&& profilingTracesDirPath != null) {
final File profilingTracesDir = new File(profilingTracesDirPath);
options.getRuntimeManager().runWithRelaxedPolicy(() -> profilingTracesDir.mkdirs());
try {
options
.getExecutorService()
.submit(
() -> {
final File[] oldTracesDirContent = profilingTracesDir.listFiles();
if (oldTracesDirContent == null) return;
// Method trace files are normally deleted at the end of traces, but if that fails
// for some reason we try to clear any old files here.
for (File f : oldTracesDirContent) {
// We delete files 5 minutes older than class creation to account for app
// start profiles, as an app start profile could have a lower creation date.
if (f.lastModified() < classCreationTimestamp - TimeUnit.MINUTES.toMillis(5)) {
FileUtils.deleteRecursively(f);
}
}
});
} catch (RejectedExecutionException e) {
options
.getLogger()
.log(
SentryLevel.ERROR,
"Failed to call the executor. Old profiles will not be deleted. Did you call Sentry.close()?",
e);
}
}
final @NotNull IModulesLoader modulesLoader = options.getModulesLoader();
if (!options.isSendModules()) {
options.setModulesLoader(NoOpModulesLoader.getInstance());
} else if (modulesLoader instanceof NoOpModulesLoader) {
options.setModulesLoader(
new CompositeModulesLoader(
Arrays.asList(
new ManifestModulesLoader(options.getLogger()),
new ResourcesModulesLoader(options.getLogger())),
options.getLogger()));
}
if (options.getDebugMetaLoader() instanceof NoOpDebugMetaLoader) {
options.setDebugMetaLoader(new ResourcesDebugMetaLoader(options.getLogger()));
}
final @Nullable List<Properties> propertiesList = options.getDebugMetaLoader().loadDebugMeta();
DebugMetaPropertiesApplier.apply(options, propertiesList);
final IThreadChecker threadChecker = options.getThreadChecker();
// only override the ThreadChecker if it's not already set by Android
if (threadChecker instanceof NoOpThreadChecker) {
options.setThreadChecker(ThreadChecker.getInstance());
}
if (options.getPerformanceCollectors().isEmpty()) {
options.addPerformanceCollector(new JavaMemoryCollector());
}
if (options.isEnableBackpressureHandling() && Platform.isJvm()) {
if (options.getBackpressureMonitor() instanceof NoOpBackpressureMonitor) {
options.setBackpressureMonitor(
new BackpressureMonitor(options, ScopesAdapter.getInstance()));
}
options.getBackpressureMonitor().start();
}
initJvmContinuousProfiling(options);
options
.getLogger()
.log(
SentryLevel.INFO,
"Continuous profiler is enabled %s mode: %s",
options.isContinuousProfilingEnabled(),
options.getProfileLifecycle());
}
private static void initJvmContinuousProfiling(@NotNull SentryOptions options) {
InitUtil.initializeProfiler(options);
InitUtil.initializeProfileConverter(options);
}
/** Close the SDK */
public static void close() {
try (final @NotNull ISentryLifecycleToken ignored = lock.acquire()) {
final IScopes scopes = getCurrentScopes();
rootScopes = NoOpScopes.getInstance();
// remove thread local to avoid memory leak
getScopesStorage().close();
scopes.close(false);
}
}
/**
* Captures the event.
*
* @param event the event
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureEvent(final @NotNull SentryEvent event) {
return getCurrentScopes().captureEvent(event);
}
/**
* Captures the event.
*
* @param event The event.
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureEvent(
final @NotNull SentryEvent event, final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureEvent(event, callback);
}
/**
* Captures the event.
*
* @param event the event
* @param hint SDK specific but provides high level information about the origin of the event
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureEvent(
final @NotNull SentryEvent event, final @Nullable Hint hint) {
return getCurrentScopes().captureEvent(event, hint);
}
/**
* Captures the event.
*
* @param event The event.
* @param hint SDK specific but provides high level information about the origin of the event
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureEvent(
final @NotNull SentryEvent event,
final @Nullable Hint hint,
final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureEvent(event, hint, callback);
}
/**
* Captures the message.
*
* @param message The message to send.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureMessage(final @NotNull String message) {
return getCurrentScopes().captureMessage(message);
}
/**
* Captures the message.
*
* @param message The message to send.
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureMessage(
final @NotNull String message, final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureMessage(message, callback);
}
/**
* Captures the message.
*
* @param message The message to send.
* @param level The message level.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureMessage(
final @NotNull String message, final @NotNull SentryLevel level) {
return getCurrentScopes().captureMessage(message, level);
}
/**
* Captures the message.
*
* @param message The message to send.
* @param level The message level.
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureMessage(
final @NotNull String message,
final @NotNull SentryLevel level,
final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureMessage(message, level, callback);
}
/**
* Captures the feedback.
*
* @param feedback The feedback to send.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureFeedback(final @NotNull Feedback feedback) {
return getCurrentScopes().captureFeedback(feedback);
}
/**
* Captures the feedback.
*
* @param feedback The feedback to send.
* @param hint An optional hint to be applied to the event.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureFeedback(
final @NotNull Feedback feedback, final @Nullable Hint hint) {
return getCurrentScopes().captureFeedback(feedback, hint);
}
/**
* Captures the feedback.
*
* @param feedback The feedback to send.
* @param hint An optional hint to be applied to the event.
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureFeedback(
final @NotNull Feedback feedback,
final @Nullable Hint hint,
final @Nullable ScopeCallback callback) {
return getCurrentScopes().captureFeedback(feedback, hint, callback);
}
/**
* Captures the exception.
*
* @param throwable The exception.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureException(final @NotNull Throwable throwable) {
return getCurrentScopes().captureException(throwable);
}
/**
* Captures the exception.
*
* @param throwable The exception.
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureException(
final @NotNull Throwable throwable, final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureException(throwable, callback);
}
/**
* Captures the exception.
*
* @param throwable The exception.
* @param hint SDK specific but provides high level information about the origin of the event
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureException(
final @NotNull Throwable throwable, final @Nullable Hint hint) {
return getCurrentScopes().captureException(throwable, hint);
}
/**
* Captures the exception.
*
* @param throwable The exception.
* @param hint SDK specific but provides high level information about the origin of the event
* @param callback The callback to configure the scope for a single invocation.
* @return The Id (SentryId object) of the event
*/
public static @NotNull SentryId captureException(
final @NotNull Throwable throwable,
final @Nullable Hint hint,
final @NotNull ScopeCallback callback) {
return getCurrentScopes().captureException(throwable, hint, callback);
}
/**
* Captures a manually created user feedback and sends it to Sentry.
*
* @param userFeedback The user feedback to send to Sentry.
*/
public static void captureUserFeedback(final @NotNull UserFeedback userFeedback) {
getCurrentScopes().captureUserFeedback(userFeedback);
}
/**
* Adds a breadcrumb to the current Scope
*
* @param breadcrumb the breadcrumb
* @param hint SDK specific but provides high level information about the origin of the event
*/
public static void addBreadcrumb(
final @NotNull Breadcrumb breadcrumb, final @Nullable Hint hint) {
getCurrentScopes().addBreadcrumb(breadcrumb, hint);
}
/**
* Adds a breadcrumb to the current Scope
*
* @param breadcrumb the breadcrumb
*/
public static void addBreadcrumb(final @NotNull Breadcrumb breadcrumb) {
getCurrentScopes().addBreadcrumb(breadcrumb);
}
/**
* Adds a breadcrumb to the current Scope
*
* @param message rendered as text and the whitespace is preserved.
*/
public static void addBreadcrumb(final @NotNull String message) {
getCurrentScopes().addBreadcrumb(message);
}
/**
* Adds a breadcrumb to the current Scope
*
* @param message rendered as text and the whitespace is preserved.
* @param category Categories are dotted strings that indicate what the crumb is or where it comes
* from.
*/
public static void addBreadcrumb(final @NotNull String message, final @NotNull String category) {
getCurrentScopes().addBreadcrumb(message, category);
}
/**
* Sets the level of all events sent within current Scope
*
* @param level the Sentry level
*/
public static void setLevel(final @Nullable SentryLevel level) {
getCurrentScopes().setLevel(level);
}
/**
* Sets the name of the current transaction to the current Scope.
*
* @param transaction the transaction
*/
public static void setTransaction(final @Nullable String transaction) {
getCurrentScopes().setTransaction(transaction);
}
/**
* Shallow merges user configuration (email, username, etc) to the current Scope.
*
* @param user the user
*/
public static void setUser(final @Nullable User user) {
getCurrentScopes().setUser(user);
}
/**
* Sets the fingerprint to group specific events together to the current Scope.
*
* @param fingerprint the fingerprints
*/
public static void setFingerprint(final @NotNull List<String> fingerprint) {
getCurrentScopes().setFingerprint(fingerprint);
}
/** Deletes current breadcrumbs from the current scope. */
public static void clearBreadcrumbs() {
getCurrentScopes().clearBreadcrumbs();
}
/**