Browse Source

feat(workflow): run balance in CI (#40547)

This PR rebalances tests from data in CI and changes our jest balancing
strategy.

It is preferable to run the balancing step in CI so that it is as close
to the actual test environment as possible. This way we get more
accurate test durations and can because our tests more accurately. By
running rebalance in CI we also ensures a pristine environment and
eliminate any potential jest local cache (turned on by default and lives
in /private/var/...).

If you compare changes from jest-balance.json, they are about 3x longer
now which is expected as they were likely ran on M1 CPU before which
skews the numbers and can bias test results.

One small technicality is that I have also changed from using a reporter
to using a testResultsProcessor which only receives the full run results
at the end of the run.

While investigating https://github.com/getsentry/sentry/pull/40428 I
realized that while jest does not respect require.cache, it does have a
cache for the individual transformers (this is how it can avoid
unnecessarily recompiling typescript files multiple times) and that the
way we were splitting the tests may not necessarily make good use of the
transformer cache.

I have modified the strategy to partition tests files that are colocated
(I sort them by path). The idea here is that domain specific test files
are likely to require other domain specific files which may have already
been transformed, thus reusing the transformer cache. For example
imagine the sequence of two tests.

```ts
// path/to/performance.spec.tsx
import {somethingPerformanceRelated} from "somewhere" // this will transform the file if not in cache
...
``` 

```ts
// path/to/performance_issue.spec.tsx
import {somethingPerformanceRelated} from "somewhere" // <- this now hits transformer cache
```

But when they are ran on separate nodes

```ts
// path/to/performance.spec.tsx
import {somethingPerformanceRelated} from "somewhere" // this will transform the file if not in cache
...
``` 
```ts
// path/to/performance_issue.spec.tsx
import {somethingPerformanceRelated} from "somewhere" // this needs to be transformed again
```

The change to not execute long running tests first is mainly due to the
fact that if we do that, we bias the long running tests even further as
there is likely to be 0 cache they can reuse.
Jonas 2 years ago
parent
commit
a6b753000e

+ 2 - 0
.github/workflows/acceptance.yml

@@ -46,6 +46,8 @@ jobs:
     if: needs.files-changed.outputs.acceptance == 'true'
     needs: files-changed
     name: frontend tests
+    # If you change the runs-on image, you must also change the runner in jest-balance.yml
+    # so that the balancer runs in the same environment as the tests.
     runs-on: ubuntu-20.04
     timeout-minutes: 20
     strategy:

+ 42 - 0
.github/workflows/jest-balance.yml

@@ -0,0 +1,42 @@
+name: jest balancer
+on: [workflow_dispatch]
+jobs:
+  jest-balance:
+    # Buckle up, this may take a while
+    timeout-minutes: 60
+    # Make sure this matches the runner that runs frontend tests
+    runs-on: ubuntu-20.04
+    steps:
+      - uses: actions/checkout@7884fcad6b5d53d10323aee724dc68d8b9096a2e # v2
+        name: Checkout sentry
+
+      - uses: getsentry/action-setup-volta@54775a59c41065f54ecc76d1dd5f2cdc7a1550cb # v1.1.0
+
+      - name: Install dependencies
+        run: yarn install --frozen-lockfile
+
+      - name: Build CSS
+        run: NODE_ENV=production yarn build-css
+
+      - name: jest balancer
+        env:
+          GITHUB_PR_SHA: ${{ github.event.pull_request.head.sha || github.sha }}
+          GITHUB_PR_REF: ${{ github.event.pull_request.head.ref || github.ref }}
+        run: JEST_TEST_BALANCER=1 yarn test-ci
+
+      - name: Create Pull Request
+        uses: peter-evans/create-pull-request@b4d51739f96fca8047ad065eccef63442d8e99f7 # v4.2.0
+        with:
+          token: ${{ secrets.BUMP_SENTRY_TOKEN }}
+          add-paths: |
+            tests/js/test-balancer/jest-balance.json
+          commit-message: 'ci(jest): regenerate jest-balance.json'
+          branch: 'ci/jest/rebalance-tests'
+          reviewers: ${{ github.triggering_actor }}
+          team-reviewers: |
+            getsentry/app-frontend
+          delete-branch: true
+          base: master
+          title: 'ci(jest): regenerate jest-balance.json'
+          body: |
+            This PR was auto-generated - it updates the \`jest-balance.json\` file with new test run data from CI.

+ 108 - 73
jest.config.ts

@@ -19,15 +19,6 @@ const {
   GITHUB_RUN_ATTEMPT,
 } = process.env;
 
-/**
- * In CI we may need to shard our jest tests so that we can parellize the test runs
- *
- * `JEST_TESTS` is a list of all tests that will run, captured by `jest --listTests`
- * Then we split up the tests based on the total number of CI instances that will
- * be running the tests.
- */
-let testMatch: string[] | undefined;
-
 const BALANCE_RESULTS_PATH = path.resolve(
   __dirname,
   'tests',
@@ -36,60 +27,116 @@ const BALANCE_RESULTS_PATH = path.resolve(
   'jest-balance.json'
 );
 
+const optionalTags: {
+  balancer?: boolean;
+  balancer_strategy?: string;
+} = {
+  balancer: false,
+};
+
 /**
- * Given a Map of <testName, testRunTime> and a number of total groups, split the
- * tests into n groups whose total test run times should be roughly equal
- *
- * The source results should be sorted with the slowest tests first. We insert
- * the test into the smallest group on each iteration. This isn't perfect, but
- * should be good enough.
+ * In CI we may need to shard our jest tests so that we can parellize the test runs
  *
- * Returns a map of <testName, groupIndex>
+ * `JEST_TESTS` is a list of all tests that will run, captured by `jest --listTests`
+ * Then we split up the tests based on the total number of CI instances that will
+ * be running the tests.
  */
-function balancer(
+let testMatch: string[] | undefined;
+
+function getTestsForGroup(
+  nodeIndex: number,
+  nodeTotal: number,
   allTests: string[],
-  source: Record<string, number>,
-  numberGroups: number
-) {
-  const results = new Map<string, number>();
-  const totalRunTimes = Array(numberGroups).fill(0);
-
-  /**
-   * Find the index of the smallest group (totalRunTimes)
-   */
-  function findSmallestGroup() {
-    let index = 0;
-    let smallestRunTime = null;
-    for (let i = 0; i < totalRunTimes.length; i++) {
-      const runTime = totalRunTimes[i];
-
-      if (!smallestRunTime || runTime <= smallestRunTime) {
-        smallestRunTime = totalRunTimes[i];
-        index = i;
-      }
+  testStats: Record<string, number>
+): string[] {
+  const speculatedSuiteDuration = Object.values(testStats).reduce((a, b) => a + b, 0);
+  const targetDuration = speculatedSuiteDuration / nodeTotal;
 
-      if (runTime === 0) {
-        break;
-      }
+  if (speculatedSuiteDuration <= 0) {
+    throw new Error('Speculated suite duration is <= 0');
+  }
+
+  // We are going to take all of our tests and split them into groups.
+  // If we have a test without a known duration, we will default it to 2 second
+  // This is to ensure that we still assign some weight to the tests and still attempt to somewhat balance them.
+  // The 1.5s default is selected as a p50 value of all of our JS tests in CI (as of 2022-10-26) taken from our sentry performance monitoring.
+  const tests = new Map<string, number>();
+  const SUITE_P50_DURATION_MS = 1500;
+
+  // First, iterate over all of the tests we have stats for.
+  for (const test in testStats) {
+    if (testStats[test] <= 0) {
+      throw new Error(`Test duration is <= 0 for ${test}`);
+    }
+    tests.set(test, testStats[test]);
+  }
+  // Then, iterate over all of the remaining tests and assign them a default duration.
+  for (const test of allTests) {
+    if (tests.has(test)) {
+      continue;
     }
+    tests.set(test, SUITE_P50_DURATION_MS);
+  }
 
-    return index;
+  // Sanity check to ensure that we have all of our tests accounted for, we need to fail
+  // if this is not the case as we risk not executing some tests and passing the build.
+  if (tests.size < allTests.length) {
+    throw new Error(
+      `All tests should be accounted for, missing ${allTests.length - tests.size}`
+    );
   }
 
-  /**
-   * We may not have a duration for all tests (e.g. a test that was just added)
-   * as the `source` needs to be generated
-   */
-  for (const test of allTests) {
-    const index = findSmallestGroup();
-    results.set(test, index);
+  const groups: string[][] = [];
+
+  // We sort files by path so that we try and improve the transformer cache hit rate.
+  // Colocated domain specific files are likely to require other domain specific files.
+  const testsSortedByPath = Array.from(tests.entries()).sort((a, b) =>
+    a[0].localeCompare(b[0])
+  );
+
+  for (let group = 0; group < nodeTotal; group++) {
+    groups[group] = [];
+    let duration = 0;
 
-    if (source[test] !== undefined) {
-      totalRunTimes[index] = totalRunTimes[index] + source[test];
+    // While we are under our target duration and there are tests in the group
+    while (duration < targetDuration && testsSortedByPath.length > 0) {
+      // We peek the next item to check that it is not some super long running
+      // test that may exceed our target duration. For example, if target runtime for each group is
+      // 10 seconds, we have currently accounted for 9 seconds, and the next test is 5 seconds, we
+      // want to move that test to the next group so as to avoid a 40% imbalance.
+      const peek = testsSortedByPath[testsSortedByPath.length - 1];
+      if (duration + peek[1] > targetDuration && peek[1] > 30_000) {
+        break;
+      }
+      const nextTest = testsSortedByPath.pop();
+      if (!nextTest) {
+        throw new TypeError('Received falsy test' + JSON.stringify(nextTest));
+      }
+      groups[group].push(nextTest[0]);
+      duration += nextTest[1];
     }
   }
 
-  return results;
+  // Whatever may be left over will get round robin'd into the groups.
+  let i = 0;
+  while (testsSortedByPath.length) {
+    const nextTest = testsSortedByPath.pop();
+    if (!nextTest) {
+      throw new TypeError('Received falsy test' + JSON.stringify(nextTest));
+    }
+    groups[i % 4].push(nextTest[0]);
+    i++;
+  }
+
+  // Make sure we exhausted all tests before proceeding.
+  if (testsSortedByPath.length > 0) {
+    throw new Error('All tests should be accounted for');
+  }
+
+  if (!groups[nodeIndex]) {
+    throw new Error(`No tests found for node ${nodeIndex}`);
+  }
+  return groups[nodeIndex].map(test => `<rootDir>/${test}`);
 }
 
 if (
@@ -106,24 +153,18 @@ if (
   }
 
   // Taken from https://github.com/facebook/jest/issues/6270#issue-326653779
-  const envTestList = JSON.parse(JEST_TESTS).map(file =>
+  const envTestList: string[] = JSON.parse(JEST_TESTS).map(file =>
     file.replace(__dirname, '')
-  ) as string[];
+  );
   const tests = envTestList.sort((a, b) => b.localeCompare(a));
 
   const nodeTotal = Number(CI_NODE_TOTAL);
   const nodeIndex = Number(CI_NODE_INDEX);
 
   if (balance) {
-    const results = balancer(envTestList, balance, nodeTotal);
-
-    testMatch = [
-      // First, we only want the tests that we have test durations for and belong
-      // to the current node's index
-      ...Object.entries(Object.fromEntries(results))
-        .filter(([, index]) => index === nodeIndex)
-        .map(([test]) => `${path.join(__dirname, test)}`),
-    ];
+    optionalTags.balancer = true;
+    optionalTags.balancer_strategy = 'by_path';
+    testMatch = getTestsForGroup(nodeIndex, nodeTotal, envTestList, balance);
   } else {
     const length = tests.length;
     const size = Math.floor(length / nodeTotal);
@@ -131,7 +172,7 @@ if (
     const offset = Math.min(nodeIndex, remainder) + nodeIndex * size;
     const chunk = size + (nodeIndex < remainder ? 1 : 0);
 
-    testMatch = tests.slice(offset, offset + chunk);
+    testMatch = tests.slice(offset, offset + chunk).map(test => '<rootDir>' + test);
   }
 }
 
@@ -172,10 +213,7 @@ const config: Config.InitialOptions = {
     '<rootDir>/tests/js/setupFramework.ts',
     '@testing-library/jest-dom/extend-expect',
   ],
-  testMatch: testMatch || [
-    '<rootDir>/static/**/?(*.)+(spec|test).[jt]s?(x)',
-    '<rootDir>/tests/js/**/*(*.)@(spec|test).(js|ts)?(x)',
-  ],
+  testMatch: testMatch || ['<rootDir>/static/**/?(*.)+(spec|test).[jt]s?(x)'],
   testPathIgnorePatterns: ['<rootDir>/tests/sentry/lang/javascript/'],
 
   unmockedModulePathPatterns: [
@@ -192,6 +230,9 @@ const config: Config.InitialOptions = {
   moduleFileExtensions: ['js', 'ts', 'jsx', 'tsx'],
   globals: {},
 
+  testResultsProcessor: JEST_TEST_BALANCER
+    ? '<rootDir>/tests/js/test-balancer/index.js'
+    : undefined,
   reporters: [
     'default',
     [
@@ -201,13 +242,6 @@ const config: Config.InitialOptions = {
         outputName: 'jest.junit.xml',
       },
     ],
-    [
-      '<rootDir>/tests/js/test-balancer',
-      {
-        enabled: !!JEST_TEST_BALANCER,
-        resultsPath: BALANCE_RESULTS_PATH,
-      },
-    ],
   ],
 
   testEnvironment: '<rootDir>/tests/js/instrumentedEnv',
@@ -221,6 +255,7 @@ const config: Config.InitialOptions = {
       },
       transactionOptions: {
         tags: {
+          ...optionalTags,
           branch: GITHUB_PR_REF,
           commit: GITHUB_PR_SHA,
           github_run_attempt: GITHUB_RUN_ATTEMPT,

+ 16 - 26
tests/js/test-balancer/index.js

@@ -1,34 +1,24 @@
 /* eslint-env node */
 /* eslint import/no-nodejs-modules:0 */
-const fs = require('fs').promises;
+const fs = require('fs');
+const path = require('path');
 
-class TestBalancer {
-  constructor(globalConfig, options) {
-    this._globalConfig = globalConfig;
-    this._options = options;
-
-    this.results = new Map();
-  }
-
-  onTestFileResult(test) {
-    const path = test.path.replace(this._globalConfig.rootDir, '');
-    this.results.set(path, test.duration);
+module.exports = results => {
+  if (!results.success) {
+    throw new Error('Balance reporter requires all tests to succeed.');
   }
 
-  onRunComplete(_contexts, results) {
-    // results.success always returns false for me?
-    if (
-      results.numTotalTests === 0 ||
-      results.numFailedTests > 0 ||
-      !this._options.enabled ||
-      !this._options.resultsPath
-    ) {
-      return;
-    }
+  const cwd = process.cwd();
+  const testValues = {};
 
-    const data = JSON.stringify(Object.fromEntries(this.results), null, 2);
-    fs.writeFile(this._options.resultsPath, data);
+  for (const test of results.testResults) {
+    testValues[test.testFilePath.replace(cwd, '')] = test.perfStats.runtime;
   }
-}
 
-module.exports = TestBalancer;
+  fs.writeFileSync(
+    path.resolve(__dirname, 'jest-balance.json'),
+    JSON.stringify(testValues)
+  );
+
+  return results;
+};

+ 788 - 791
tests/js/test-balancer/jest-balance.json

@@ -1,792 +1,789 @@
 {
-  "/static/app/components/assigneeSelector.spec.jsx": 2146,
-  "/static/app/views/settings/account/accountSecurity/accountSecurityDetails.spec.jsx": 1541,
-  "/static/app/views/performance/transactionSummary/transactionReplays/index.spec.tsx": 2130,
-  "/static/app/views/alerts/rules/issue/details/ruleDetails.spec.jsx": 1516,
-  "/static/app/views/organizationGroupDetails/groupActivity.spec.jsx": 1347,
-  "/static/app/views/performance/landing/index.spec.tsx": 2608,
-  "/static/app/components/environmentPageFilter.spec.tsx": 1286,
-  "/static/app/components/profiling/ProfilingOnboarding/profilingOnboardingModal.spec.tsx": 1284,
-  "/static/app/components/events/searchBar.spec.jsx": 9473,
-  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/http.spec.tsx": 1227,
-  "/static/app/components/events/interfaces/crashContent/stackTrace/content.spec.tsx": 1231,
-  "/static/app/views/eventsV2/savedQuery/index.spec.tsx": 1264,
-  "/static/app/components/group/assignedTo.spec.tsx": 1205,
-  "/static/app/views/auth/loginForm.spec.jsx": 1070,
-  "/static/app/views/organizationGroupDetails/groupReplays/groupReplays.spec.tsx": 1108,
-  "/static/app/views/settings/components/settingsSearch/index.spec.jsx": 1081,
-  "/static/app/views/settings/components/dataScrubbing/index.spec.tsx": 1042,
-  "/static/app/components/events/interfaces/frame/contexts.spec.tsx": 1015,
-  "/static/app/views/settings/project/server-side-sampling/utils/useRecommendedSdkUpgrades.spec.tsx": 992,
-  "/static/app/views/settings/project/projectKeys/details/index.spec.jsx": 1027,
-  "/static/app/views/settings/components/dataScrubbing/modals/form/eventIdField.spec.tsx": 985,
-  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/exception.spec.tsx": 976,
-  "/static/app/views/settings/project/server-side-sampling/modals/affectOtherProjectsTransactionsAlert.spec.tsx": 983,
-  "/static/app/views/settings/account/notifications/notificationSettingsByType.spec.tsx": 970,
-  "/static/app/components/events/interfaces/crashContent/exception/stackTrace.spec.tsx": 907,
-  "/static/app/components/events/interfaces/crashContent/exception/content.spec.tsx": 944,
-  "/static/app/views/releases/detail/overview/releaseComparisonChart/index.spec.tsx": 940,
-  "/static/app/views/dashboardsV2/widgetBuilder/buildSteps/filterResultsStep/releaseSearchBar.spec.tsx": 900,
-  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToSeries.spec.tsx": 891,
-  "/static/app/stores/projectsStore.spec.jsx": 839,
-  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToPredictedSeries.spec.tsx": 867,
-  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/default.spec.tsx": 867,
-  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToSampleRates.spec.tsx": 832,
-  "/static/app/components/events/interfaces/frame/frameVariables.spec.tsx": 833,
-  "/static/app/views/settings/components/settingsBreadcrumb/breadcrumbTitle.spec.tsx": 819,
-  "/static/app/views/settings/projectDebugFiles/sources/builtInRepositories.spec.tsx": 787,
-  "/static/app/components/modals/helpSearchModal.spec.tsx": 803,
-  "/static/app/actionCreators/navigation.spec.jsx": 774,
-  "/static/app/views/settings/account/apiApplications/index.spec.tsx": 771,
-  "/static/app/views/alerts/list/header.spec.tsx": 736,
-  "/static/app/views/settings/components/dataScrubbing/rules.spec.tsx": 697,
-  "/static/app/utils/useTimeout.spec.tsx": 639,
-  "/static/app/views/settings/project/server-side-sampling/modals/specificConditionsModal/tagValueAutocomplete.spec.tsx": 724,
-  "/static/app/views/alerts/rules/metric/details/utils.spec.tsx": 619,
-  "/static/app/views/settings/project/server-side-sampling/utils/hasFirstBucketsEmpty.spec.tsx": 517,
-  "/static/app/components/avatar/actorAvatar.spec.tsx": 380,
-  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilder.spec.tsx": 15911,
-  "/static/app/views/issueList/overview.spec.jsx": 9027,
-  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilderSortBy.spec.tsx": 10209,
-  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilderDataset.spec.tsx": 10410,
-  "/static/app/views/eventsV2/results.spec.jsx": 9330,
-  "/static/app/components/smartSearchBar/index.spec.jsx": 7354,
-  "/static/app/views/settings/project/server-side-sampling/serverSideSampling.spec.tsx": 4005,
-  "/static/app/views/eventsV2/table/columnEditModal.spec.jsx": 15357,
-  "/static/app/views/dashboardsV2/detail.spec.jsx": 5892,
-  "/static/app/views/performance/transactionSummary/transactionVitals/index.spec.jsx": 3944,
-  "/static/app/components/sidebar/index.spec.jsx": 3594,
-  "/static/app/views/performance/transactionSummary/transactionOverview/index.spec.tsx": 5185,
-  "/static/app/views/performance/content.spec.jsx": 3855,
-  "/static/app/views/dashboardsV2/widgetCard/index.spec.tsx": 3498,
-  "/static/app/views/performance/trends/index.spec.tsx": 3533,
-  "/static/app/views/settings/projectGeneralSettings.spec.jsx": 3219,
-  "/static/app/components/modals/widgetViewerModal.spec.tsx": 3793,
-  "/static/app/views/settings/organizationDeveloperSettings/sentryApplicationDetails.spec.jsx": 3312,
-  "/static/app/views/eventsV2/homepage.spec.tsx": 3217,
-  "/static/app/views/issueList/searchBar.spec.jsx": 3031,
-  "/static/app/views/alerts/rules/metric/ruleForm.spec.jsx": 3056,
-  "/static/app/views/eventsV2/table/tableView.spec.jsx": 3071,
-  "/static/app/views/alerts/create.spec.jsx": 3077,
-  "/static/app/views/performance/transactionSummary/transactionTags/index.spec.tsx": 2941,
-  "/static/app/views/issueList/actions/index.spec.jsx": 2717,
-  "/static/app/views/releases/list/index.spec.jsx": 2772,
-  "/static/app/components/events/interfaces/threadsV2.spec.tsx": 2883,
-  "/static/app/components/group/sentryAppExternalIssueActions.spec.jsx": 2325,
-  "/static/app/views/settings/project/server-side-sampling/modals/uniformRateModal.spec.tsx": 2572,
-  "/static/app/views/alerts/rules/metric/edit.spec.jsx": 2354,
-  "/static/app/views/alerts/list/rules/index.spec.jsx": 2423,
-  "/static/app/views/dashboardsV2/widgetBuilder/buildSteps/visualizationStep.spec.tsx": 2313,
-  "/static/app/views/settings/projectPerformance/projectPerformance.spec.jsx": 2265,
-  "/static/app/views/settings/project/server-side-sampling/modals/specificConditionsModal/index.spec.tsx": 2307,
-  "/static/app/views/alerts/rules/metric/metricField.spec.jsx": 2121,
-  "/static/app/views/settings/project/dynamicSampling/modals/specificConditionsModal/index.spec.tsx": 2193,
-  "/static/app/views/projectsDashboard/index.spec.jsx": 2103,
-  "/static/app/components/tooltip.spec.tsx": 1989,
-  "/static/app/views/projectInstall/issueAlertOptions.spec.jsx": 1967,
-  "/static/app/views/settings/project/dynamicSampling/dynamicSamping.spec.tsx": 2031,
-  "/static/app/views/performance/landing/metricsDataSwitcher.spec.tsx": 2175,
-  "/static/app/views/performance/transactionSummary/transactionSpans/spanDetails/index.spec.tsx": 2082,
-  "/static/app/views/alerts/rules/metric/details/index.spec.tsx": 1948,
-  "/static/app/views/settings/account/accountDetails.spec.jsx": 1936,
-  "/static/app/views/performance/vitalDetail/index.spec.tsx": 1973,
-  "/static/app/components/events/contexts/browser/index.spec.tsx": 1921,
-  "/static/app/views/sharedGroupDetails/index.spec.tsx": 1965,
-  "/static/app/views/eventsV2/metricsBaselineContainer.spec.tsx": 1894,
-  "/static/app/views/releases/detail/overview/releaseIssues.spec.jsx": 1853,
-  "/static/app/views/eventsV2/eventDetails/index.spec.jsx": 1885,
-  "/static/app/components/discover/transactionsList.spec.jsx": 1824,
-  "/static/app/views/replays/detail/console/messageFormatter.spec.tsx": 1730,
-  "/static/app/views/settings/projectDebugFiles/sources/customRepositories/index.spec.tsx": 1799,
-  "/static/app/views/organizationGroupDetails/groupEvents.spec.jsx": 1788,
-  "/static/app/components/performanceOnboarding/performanceOnboarding.spec.tsx": 1741,
-  "/static/app/components/organizations/projectSelector/index.spec.jsx": 1751,
-  "/static/app/components/deprecatedforms/form.spec.jsx": 1727,
-  "/static/app/views/dashboardsV2/manage/index.spec.jsx": 1725,
-  "/static/app/views/dashboardsV2/widgetCard/widgetQueries.spec.jsx": 1692,
-  "/static/app/components/modals/inviteMembersModal/index.spec.jsx": 1702,
-  "/static/app/views/dashboardsV2/dashboard.spec.tsx": 1691,
-  "/static/app/views/settings/organizationMembers/organizationMembersList.spec.jsx": 1719,
-  "/static/app/views/userFeedback/index.spec.jsx": 1684,
-  "/static/app/views/performance/transactionSummary/header.spec.tsx": 1657,
-  "/static/app/views/organizationActivity/index.spec.jsx": 1676,
-  "/static/app/views/alerts/rules/issue/index.spec.jsx": 1691,
-  "/static/app/components/quickTrace/index.spec.tsx": 1640,
-  "/static/app/components/deprecatedforms/selectAsyncField.spec.jsx": 1642,
-  "/static/app/views/organizationGroupDetails/groupEventDetails/groupEventDetails.spec.tsx": 1673,
-  "/static/app/views/settings/projectTags.spec.jsx": 1639,
-  "/static/app/views/settings/project/dynamicSampling/modals/specificConditionsModal/tagValueAutocomplete.spec.tsx": 1617,
-  "/static/app/components/modals/commandPalette.spec.jsx": 1595,
-  "/static/app/views/eventsV2/tags.spec.jsx": 1589,
-  "/static/app/views/organizationGroupDetails/groupDetails.spec.jsx": 1619,
-  "/static/app/components/events/interfaces/spans/traceView.spec.tsx": 1626,
-  "/static/app/views/issueList/savedSearchTab.spec.jsx": 1576,
-  "/static/app/components/groupPreviewTooltip/stackTracePreview.spec.tsx": 1583,
-  "/static/app/views/dashboardsV2/orgDashboards.spec.tsx": 1565,
-  "/static/app/views/alerts/rules/issue/sentryAppRuleModal.spec.jsx": 1569,
-  "/static/app/views/app/index.spec.jsx": 1555,
-  "/static/app/views/settings/organizationDeveloperSettings/permissionSelection.spec.jsx": 1555,
-  "/static/app/views/performance/transactionSummary/transactionEvents/index.spec.tsx": 1563,
-  "/static/app/views/settings/components/dataScrubbing/modals/add.spec.tsx": 1556,
-  "/static/app/components/platformList.spec.jsx": 1552,
-  "/static/app/views/performance/landing/widgets/components/widgetContainer.spec.tsx": 1566,
-  "/static/app/views/performance/transactionSummary/transactionSpans/index.spec.tsx": 1553,
-  "/static/app/views/performance/transactionSummary/transactionThresholdModal.spec.jsx": 1543,
-  "/static/app/views/performance/transactionSummary/transactionEvents/content.spec.tsx": 1540,
-  "/static/app/views/eventsV2/queryList.spec.jsx": 1550,
-  "/static/app/views/settings/project/server-side-sampling/samplingSDKUpgradesAlert.spec.tsx": 1519,
-  "/static/app/views/performance/transactionDetails/index.spec.jsx": 1519,
-  "/static/app/views/projects/projectContext.spec.jsx": 1496,
-  "/static/app/views/settings/organizationGeneralSettings/index.spec.jsx": 1510,
-  "/static/app/views/organizationStats/teamInsights/health.spec.jsx": 1518,
-  "/static/app/views/dashboardsV2/view.spec.tsx": 1491,
-  "/static/app/views/alerts/list/incidents/index.spec.jsx": 1494,
-  "/static/app/components/organizations/environmentSelector.spec.tsx": 1467,
-  "/static/app/views/settings/organizationMembers/organizationMemberDetail.spec.jsx": 1479,
-  "/static/app/views/alerts/rules/issue/ticketRuleModal.spec.jsx": 1491,
-  "/static/app/views/eventsV2/table/cellAction.spec.jsx": 1460,
-  "/static/app/components/activity/note/input.spec.jsx": 1464,
-  "/static/app/components/deprecatedforms/multiSelectField.spec.jsx": 1451,
-  "/static/app/components/events/interfaces/breadcrumbs/breadcrumbs.spec.tsx": 1456,
-  "/static/app/views/settings/project/projectUserFeedback.spec.jsx": 1438,
-  "/static/app/views/eventsV2/savedQuery/utils.spec.jsx": 1430,
-  "/static/app/views/settings/organizationTeams/teamMembers.spec.jsx": 1455,
-  "/static/app/utils/profiling/renderers/cursorRenderer.spec.tsx": 1427,
-  "/static/app/views/alerts/rules/metric/duplicate.spec.tsx": 1434,
-  "/static/app/views/settings/account/notifications/notificationSettingsByOrganization.spec.tsx": 1427,
-  "/static/app/components/resolutionBox.spec.tsx": 1420,
-  "/static/app/views/performance/transactionEvents.spec.tsx": 1429,
-  "/static/app/views/projectInstall/createProject.spec.jsx": 1420,
-  "/static/app/views/issueList/header.spec.jsx": 1417,
-  "/static/app/views/projectDetail/projectLatestReleases.spec.jsx": 1391,
-  "/static/app/components/group/externalIssueForm.spec.jsx": 1393,
-  "/static/app/views/settings/project/projectFilters/index.spec.jsx": 1396,
-  "/static/app/views/settings/account/passwordForm.spec.jsx": 1394,
-  "/static/app/components/forms/fields/sentryProjectSelectorField.spec.jsx": 1382,
-  "/static/app/views/dashboardsV2/manage/dashboardList.spec.jsx": 1391,
-  "/static/app/views/issueList/overview.polling.spec.jsx": 1390,
-  "/static/app/components/globalModal/index.spec.jsx": 1367,
-  "/static/app/components/modals/widgetBuilder/addToDashboardModal.spec.tsx": 1371,
-  "/static/app/views/settings/organizationDeveloperSettings/index.spec.jsx": 1358,
-  "/static/app/views/settings/account/accountSecurity/index.spec.jsx": 1356,
-  "/static/app/views/alerts/utils/utils.spec.tsx": 1350,
-  "/static/app/views/dashboardsV2/widgetCard/issueWidgetCard.spec.tsx": 1355,
-  "/static/app/views/organizationContextContainer.spec.jsx": 1344,
-  "/static/app/views/dashboardsV2/releasesSelectControl.spec.tsx": 1342,
-  "/static/app/views/projectDetail/projectIssues.spec.jsx": 1343,
-  "/static/app/utils/discover/fields.spec.jsx": 1321,
-  "/static/app/views/integrationPipeline/awsLambdaCloudformation.spec.jsx": 1339,
-  "/static/app/components/modals/sudoModal.spec.jsx": 1338,
-  "/static/app/views/settings/organizationDeveloperSettings/permissionsObserver.spec.jsx": 1303,
-  "/static/app/views/organizationIntegrations/integrationCodeMappings.spec.jsx": 1303,
-  "/static/app/views/performance/transactionSummary/transactionOverview/content.spec.tsx": 1336,
-  "/static/app/views/organizationStats/teamInsights/index.spec.tsx": 1288,
-  "/static/app/views/performance/landing/queryBatcher.spec.tsx": 1294,
-  "/static/app/components/events/contextSummary/index.spec.tsx": 1294,
-  "/static/app/views/projectDetail/projectFilters.spec.jsx": 1286,
-  "/static/app/components/events/interfaces/frame/line.spec.tsx": 1269,
-  "/static/app/views/projectDetail/index.spec.tsx": 1287,
-  "/static/app/components/charts/optionSelector.spec.tsx": 1264,
-  "/static/app/views/settings/project/server-side-sampling/modals/specifyClientRateModal.spec.tsx": 1261,
-  "/static/app/components/pageHeading.spec.jsx": 1250,
-  "/static/app/components/events/contexts/operatingSystem/index.spec.tsx": 1254,
-  "/static/app/components/sidebar/sidebarDropdown/switchOrganization.spec.tsx": 1218,
-  "/static/app/views/eventsV2/resultsChart.spec.tsx": 1240,
-  "/static/app/views/dashboardsV2/layoutUtils.spec.tsx": 1212,
-  "/static/app/views/alerts/rules/metric/create.spec.jsx": 1241,
-  "/static/app/views/settings/account/accountEmails.spec.jsx": 1250,
-  "/static/app/components/events/contexts/trace/index.spec.tsx": 1197,
-  "/static/app/views/releases/detail/header/releaseActions.spec.jsx": 1194,
-  "/static/app/components/contextPickerModal.spec.tsx": 1199,
-  "/static/app/components/featureFeedback/feedbackModal.spec.tsx": 1210,
-  "/static/app/components/dateTime.spec.jsx": 1176,
-  "/static/app/views/organizationGroupDetails/groupSimilarIssues/index.spec.tsx": 1190,
-  "/static/app/utils/discover/eventView.spec.jsx": 1181,
-  "/static/app/views/performance/transactionSummary/transactionOverview/tagExplorer.spec.jsx": 1182,
-  "/static/app/components/integrationExternalMappingForm.spec.jsx": 1184,
-  "/static/app/views/organizationStats/teamInsights/teamIssuesBreakdown.spec.jsx": 1170,
-  "/static/app/utils/discover/fieldRenderers.spec.jsx": 1171,
-  "/static/app/components/events/interfaces/debugMeta/debugImageDetails/index.spec.tsx": 1170,
-  "/static/app/views/settings/account/notifications/notificationSettings.spec.tsx": 1170,
-  "/static/app/views/organizationGroupDetails/actions/index.spec.tsx": 1169,
-  "/static/app/views/admin/adminSettings.spec.jsx": 1150,
-  "/static/app/views/acceptOrganizationInvite.spec.jsx": 1150,
-  "/static/app/views/performance/table.spec.tsx": 1162,
-  "/static/app/views/settings/organizationSecurityAndPrivacy/index.spec.tsx": 1160,
-  "/static/app/components/deprecatedforms/selectCreatableField.spec.jsx": 1165,
-  "/static/app/components/hovercard.spec.tsx": 1149,
-  "/static/app/components/events/contexts/browser/getBrowserKnownDataDetails.spec.tsx": 1147,
-  "/static/app/components/events/interfaces/request/index.spec.tsx": 1147,
-  "/static/app/utils/projects.spec.jsx": 1137,
-  "/static/app/components/checkboxFancy/checkboxFancy.spec.tsx": 1129,
-  "/static/app/views/dashboardsV2/widgetCard/releaseWidgetQueries.spec.tsx": 1135,
-  "/static/app/components/events/contexts/gpu/index.spec.tsx": 1134,
-  "/static/app/views/organizationGroupDetails/groupEventAttachments/groupEventAttachments.spec.tsx": 1130,
-  "/static/app/views/settings/projectAlerts/settings.spec.jsx": 1128,
-  "/static/app/components/smartSearchBar/utils.spec.tsx": 1126,
-  "/static/app/components/events/eventTagsAndScreenshot/index.spec.tsx": 1130,
-  "/static/app/views/performance/transactionSummary/transactionAnomalies/index.spec.tsx": 1127,
-  "/static/app/views/organizationStats/teamInsights/issues.spec.jsx": 1127,
-  "/static/app/components/deprecatedforms/textField.spec.jsx": 1116,
-  "/static/app/views/eventsV2/miniGraph.spec.tsx": 1118,
-  "/static/app/utils/profiling/profile/utils.spec.tsx": 1117,
-  "/static/app/views/settings/account/accountSecurity/accountSecurityEnroll.spec.jsx": 1114,
-  "/static/app/components/notAvailable.spec.tsx": 1109,
-  "/static/app/components/events/interfaces/debugMeta/index.spec.tsx": 1111,
-  "/static/app/views/alerts/rules/issue/ruleNode.spec.jsx": 1106,
-  "/static/app/components/stream/group.spec.jsx": 1111,
-  "/static/app/components/featureFeedback/index.spec.tsx": 1098,
-  "/static/app/components/events/contexts/user/getUserKnownDataDetails.spec.tsx": 1096,
-  "/static/app/views/settings/project/projectReleaseTracking.spec.jsx": 1094,
-  "/static/app/components/organizations/pageFilters/container.spec.jsx": 1093,
-  "/static/app/components/events/eventEntries.spec.tsx": 1094,
-  "/static/app/components/activity/note/inputWithStorage.spec.tsx": 1094,
-  "/static/app/components/createAlertButton.spec.jsx": 1090,
-  "/static/app/views/replays/detail/console/useConsoleFilters.spec.tsx": 1081,
-  "/static/app/components/forms/jsonForm.spec.tsx": 1078,
-  "/static/app/views/organizationStats/index.spec.tsx": 1090,
-  "/static/app/views/organizationIntegrations/integrationRepos.spec.jsx": 1075,
-  "/static/app/components/confirm.spec.jsx": 1073,
-  "/static/app/views/projectDetail/projectLatestAlerts.spec.jsx": 1073,
-  "/static/app/utils/dashboards/issueFieldRenderers.spec.tsx": 1075,
-  "/static/app/views/settings/organizationDeveloperSettings/sentryApplicationDashboard/index.spec.jsx": 1067,
-  "/static/app/components/integrationExternalMappings.spec.jsx": 1068,
-  "/static/app/views/settings/organizationAuditLog/index.spec.tsx": 1065,
-  "/static/app/views/settings/organizationAuth/organizationAuthList.spec.jsx": 1065,
-  "/static/app/components/group/sidebar.spec.jsx": 1071,
-  "/static/app/components/group/minibarChart.spec.tsx": 1054,
-  "/static/app/components/scoreBar.spec.tsx": 1053,
-  "/static/app/components/actions/ignore.spec.jsx": 1054,
-  "/static/app/utils/discover/teamKeyTransactionField.spec.jsx": 1053,
-  "/static/app/views/performance/transactionSummary/transactionEvents/eventsTable.spec.tsx": 1053,
-  "/static/app/views/admin/installWizard/index.spec.jsx": 1051,
-  "/static/app/views/settings/project/projectTeams.spec.jsx": 1055,
-  "/static/app/views/projectDetail/projectQuickLinks.spec.jsx": 1050,
-  "/static/app/utils/performance/suspectSpans/spanOpsQuery.spec.tsx": 1046,
-  "/static/app/components/teamSelector.spec.jsx": 1046,
-  "/static/app/components/group/sentryAppExternalIssueForm.spec.jsx": 1046,
-  "/static/app/views/settings/components/dataScrubbing/modals/edit.spec.tsx": 1046,
-  "/static/app/views/projectsDashboard/projectCard.spec.jsx": 1045,
-  "/static/app/components/performanceOnboarding/usePerformanceOnboardingDocs.spec.tsx": 1041,
-  "/static/app/components/events/contexts/state.spec.tsx": 1035,
-  "/static/app/components/charts/eventsRequest.spec.jsx": 1044,
-  "/static/app/api.spec.tsx": 1032,
-  "/static/app/views/organizationIntegrations/sentryAppDetailedView.spec.jsx": 1045,
-  "/static/app/views/settings/project/projectEnvironments.spec.jsx": 1022,
-  "/static/app/components/modals/createSavedSearchModal.spec.jsx": 1025,
-  "/static/app/views/settings/organizationTeams/organizationTeams.spec.jsx": 1030,
-  "/static/app/views/organizationStats/teamInsights/teamMisery.spec.jsx": 1026,
-  "/static/app/views/integrationPipeline/awsLambdaProjectSelect.spec.jsx": 1025,
-  "/static/app/views/sentryAppExternalInstallation.spec.jsx": 1021,
-  "/static/app/views/settings/project/projectOwnership/addCodeOwnerModal.spec.jsx": 1009,
-  "/static/app/views/settings/project/projectOwnership/ruleBuilder.spec.jsx": 1018,
-  "/static/app/components/events/contexts/runtime/index.spec.tsx": 1016,
-  "/static/app/views/performance/transactionDetails/quickTraceMeta.spec.jsx": 1014,
-  "/static/app/components/events/interfaces/threads/index.spec.jsx": 999,
-  "/static/app/components/events/contexts/device/index.spec.tsx": 1001,
-  "/static/app/components/events/contexts/device/getDeviceKnownDataDetails.spec.tsx": 997,
-  "/static/app/views/settings/organizationRateLimits/organizationRateLimits.spec.jsx": 992,
-  "/static/app/components/forms/fields/projectMapperField.spec.tsx": 990,
-  "/static/app/views/performance/transactionSummary/transactionSpans/opsFilter.spec.tsx": 997,
-  "/static/app/views/settings/organizationTeams/teamSettings/index.spec.jsx": 989,
-  "/static/app/views/settings/settingsIndex.spec.tsx": 987,
-  "/static/app/components/events/contexts/app/index.spec.tsx": 984,
-  "/static/app/views/settings/account/notifications/notificationSettingsByProjects.spec.tsx": 984,
-  "/static/app/views/settings/organizationTeams/teamNotifications.spec.jsx": 980,
-  "/static/app/components/eventOrGroupHeader.spec.tsx": 978,
-  "/static/app/views/settings/project/server-side-sampling/rule.spec.tsx": 978,
-  "/static/app/components/events/eventCustomPerformanceMetrics.spec.tsx": 972,
-  "/static/app/views/performance/transactionSummary/teamKeyTransactionButton.spec.jsx": 976,
-  "/static/app/components/multiPlatformPicker.spec.jsx": 967,
-  "/static/app/components/deprecatedforms/genericField.spec.tsx": 967,
-  "/static/app/components/events/interfaces/csp/index.spec.tsx": 967,
-  "/static/app/views/performance/landing/samplingModal.spec.tsx": 968,
-  "/static/app/components/charts/eventsGeoRequest.spec.tsx": 965,
-  "/static/app/utils/profiling/hooks/useFunctions.spec.tsx": 961,
-  "/static/app/components/events/eventExtraData/index.spec.tsx": 963,
-  "/static/app/components/events/contexts/runtime/getRuntimeKnownDataDetails.spec.tsx": 960,
-  "/static/app/components/events/interfaces/message.spec.tsx": 962,
-  "/static/app/views/eventsV2/index.spec.jsx": 962,
-  "/static/app/components/performance/waterfall/utils.spec.jsx": 949,
-  "/static/app/views/settings/projectSourceMaps/index.spec.jsx": 951,
-  "/static/app/views/settings/account/accountSettingsLayout.spec.jsx": 958,
-  "/static/app/views/settings/components/settingsBreadcrumb/organizationCrumb.spec.jsx": 949,
-  "/static/app/views/performance/data.spec.jsx": 943,
-  "/static/app/components/modals/sentryAppDetailsModal.spec.jsx": 940,
-  "/static/app/views/alerts/index.spec.jsx": 940,
-  "/static/app/components/splitDiff.spec.tsx": 940,
-  "/static/app/components/platformPicker.spec.jsx": 939,
-  "/static/app/utils/performance/histogram/histogramQuery.spec.jsx": 936,
-  "/static/app/views/projectInstall/platform.spec.jsx": 934,
-  "/static/app/views/settings/account/accountIdentities.spec.jsx": 934,
-  "/static/app/components/idBadge/index.spec.tsx": 931,
-  "/static/app/views/dashboardsV2/widgetCard/issueWidgetQueries.spec.tsx": 934,
-  "/static/app/components/events/contexts/operatingSystem/getOperatingSystemKnownDataDetails.spec.tsx": 931,
-  "/static/app/views/settings/organizationApiKeys/organizationApiKeyDetails.spec.jsx": 925,
-  "/static/app/stores/serverSideSamplingStore.spec.tsx": 922,
-  "/static/app/views/integrationOrganizationLink.spec.jsx": 925,
-  "/static/app/views/onboarding/onboarding.spec.jsx": 921,
-  "/static/app/views/organizationIntegrations/pluginDetailedView.spec.jsx": 921,
-  "/static/app/views/integrationPipeline/awsLambdaFunctionSelect.spec.jsx": 921,
-  "/static/app/views/settings/organizationAuth/providerItem.spec.jsx": 918,
-  "/static/app/views/alerts/rules/metric/incompatibleAlertQuery.spec.tsx": 919,
-  "/static/app/views/settings/projectDebugFiles/index.spec.tsx": 918,
-  "/static/app/components/radioGroupRating.spec.tsx": 915,
-  "/static/app/views/settings/organizationGeneralSettings/organizationSettingsForm.spec.jsx": 917,
-  "/static/app/components/projects/bookmarkStar.spec.tsx": 913,
-  "/static/app/views/projectInstall/newProject.spec.jsx": 914,
-  "/static/app/components/assistant/guideAnchor.spec.jsx": 913,
-  "/static/app/components/events/contexts/gpu/getGPUKnownDataDetails.spec.tsx": 916,
-  "/static/app/views/performance/traceDetails/content.spec.tsx": 913,
-  "/static/app/views/performance/transactionSummary/transactionSpans/suspectSpansTable.spec.tsx": 912,
-  "/static/app/views/settings/project/projectOwnership/index.spec.jsx": 913,
-  "/static/app/components/repositoryRow.spec.tsx": 906,
-  "/static/app/views/settings/organizationAuditLog/auditLogView.spec.tsx": 911,
-  "/static/app/components/profiling/functionsTable.spec.tsx": 906,
-  "/static/app/components/arithmeticInput/parser.spec.tsx": 903,
-  "/static/app/components/customResolutionModal.spec.jsx": 902,
-  "/static/app/views/eventsV2/chartFooter.spec.tsx": 903,
-  "/static/app/views/settings/organizationRepositories/index.spec.jsx": 901,
-  "/static/app/views/alerts/rules/metric/triggers/chart/index.spec.tsx": 902,
-  "/static/app/components/group/suggestedOwners/suggestedOwners.spec.jsx": 899,
-  "/static/app/utils/useCommitters.spec.tsx": 895,
-  "/static/app/utils/discover/arrayValue.spec.jsx": 898,
-  "/static/app/utils/useCustomMeasurements.spec.tsx": 895,
-  "/static/app/components/events/interfaces/frame/stacktraceLinkModal.spec.tsx": 894,
-  "/static/app/components/search/index.spec.tsx": 891,
-  "/static/app/views/performance/trends/utils.spec.tsx": 887,
-  "/static/app/utils/useTeams.spec.tsx": 885,
-  "/static/app/views/alerts/wizard/index.spec.tsx": 885,
-  "/static/app/views/dashboardsV2/datasetConfig/errorsAndTransactions.spec.jsx": 888,
-  "/static/app/components/compactSelect.spec.tsx": 881,
-  "/static/app/components/dropdownLink.spec.tsx": 878,
-  "/static/app/components/group/externalIssueActions.spec.jsx": 877,
-  "/static/app/views/routeError.spec.tsx": 877,
-  "/static/app/utils/replays/replayDataUtils.spec.tsx": 873,
-  "/static/app/views/settings/project/dynamicSampling/samplingSDKUpgradesAlert.spec.tsx": 877,
-  "/static/app/components/events/interfaces/crashContent/index.spec.jsx": 873,
-  "/static/app/utils/parseHtmlMarks.spec.jsx": 868,
-  "/static/app/components/helpSearch.spec.jsx": 872,
-  "/static/app/views/organizationGroupDetails/groupMerged/index.spec.tsx": 869,
-  "/static/app/views/settings/projectPlugins/projectPluginDetails.spec.tsx": 868,
-  "/static/app/views/settings/account/accountSecurity/components/twoFactorRequired.spec.jsx": 870,
-  "/static/app/utils/performance/quickTrace/utils.spec.tsx": 863,
-  "/static/app/components/searchSyntax/parser.spec.tsx": 862,
-  "/static/app/components/events/contexts/trace/getTraceKnownDataDetails.spec.tsx": 863,
-  "/static/app/views/organizationIntegrations/integrationListDirectory.spec.jsx": 860,
-  "/static/app/components/hotkeysLabel.spec.jsx": 858,
-  "/static/app/views/settings/project/server-side-sampling/samplingSDKClientRateChangeAlert.spec.tsx": 859,
-  "/static/app/components/events/interfaces/frame/stacktraceLink.spec.jsx": 859,
-  "/static/app/components/modals/emailVerificationModal.spec.tsx": 858,
-  "/static/app/views/auth/ssoForm.spec.jsx": 857,
-  "/static/app/views/projectDetail/projectScoreCards/projectApdexScoreCard.spec.jsx": 858,
-  "/static/app/views/performance/transactionSummary/transactionThresholdButton.spec.jsx": 857,
-  "/static/app/views/settings/project/projectKeys/list/index.spec.jsx": 857,
-  "/static/app/components/deprecatedforms/selectField.spec.jsx": 854,
-  "/static/app/views/dataExport/dataDownload.spec.jsx": 854,
-  "/static/app/utils/withConfig.spec.jsx": 853,
-  "/static/app/views/organizationIntegrations/integrationRow.spec.jsx": 854,
-  "/static/app/views/dashboardsV2/widgetCard/transformSessionsResponseToTable.spec.tsx": 854,
-  "/static/app/utils/performance/suspectSpans/suspectSpansQuery.spec.tsx": 854,
-  "/static/app/utils/performance/quickTrace/traceFullQuery.spec.jsx": 843,
-  "/static/app/views/settings/organizationRepositories/organizationRepositories.spec.jsx": 843,
-  "/static/app/views/organizationCreate.spec.jsx": 844,
-  "/static/app/components/modals/dashboardWidgetQuerySelectorModal.spec.tsx": 845,
-  "/static/app/views/settings/project/server-side-sampling/samplingBreakdown.spec.tsx": 847,
-  "/static/app/views/organizationGroupDetails/groupTagValues.spec.jsx": 842,
-  "/static/app/components/tag.spec.tsx": 839,
-  "/static/app/utils/metrics/metricsRequest.spec.tsx": 841,
-  "/static/app/components/modals/featureTourModal.spec.jsx": 841,
-  "/static/app/components/datePageFilter.spec.tsx": 841,
-  "/static/app/views/organizationDetails/index.spec.jsx": 838,
-  "/static/app/views/auth/registerForm.spec.jsx": 834,
-  "/static/app/views/settings/components/settingsLayout.spec.jsx": 829,
-  "/static/app/views/settings/project/server-side-sampling/modals/recommendedStepsModal.spec.tsx": 832,
-  "/static/app/views/settings/components/settingsBreadcrumb/breadcrumbDropdown.spec.jsx": 828,
-  "/static/app/utils/withSentryAppComponents.spec.jsx": 827,
-  "/static/app/components/organizations/timeRangeSelector/index.spec.jsx": 833,
-  "/static/app/views/acceptProjectTransfer.spec.jsx": 826,
-  "/static/app/components/replays/replayTagsTableRow.spec.tsx": 824,
-  "/static/app/components/events/interfaces/spans/waterfallModel.spec.tsx": 824,
-  "/static/app/utils/useRoutes.spec.tsx": 821,
-  "/static/app/components/events/errorItem.spec.tsx": 824,
-  "/static/app/views/dashboardsV2/utils.spec.tsx": 819,
-  "/static/app/components/tabs/index.spec.tsx": 818,
-  "/static/app/utils/performance/quickTrace/quickTraceQuery.spec.jsx": 821,
-  "/static/app/views/settings/organizationMembers/organizationMemberRow.spec.jsx": 813,
-  "/static/app/components/panels/panelTable.spec.jsx": 811,
-  "/static/app/utils/useUrlParams.spec.tsx": 810,
-  "/static/app/components/events/eventReplay/replayContent.spec.tsx": 812,
-  "/static/app/views/userFeedback/userFeedbackEmpty.spec.tsx": 807,
-  "/static/app/views/settings/organizationMembers/inviteRequestRow.spec.jsx": 812,
-  "/static/app/utils/performance/quickTrace/traceLiteQuery.spec.jsx": 806,
-  "/static/app/views/organizationJoinRequest.spec.jsx": 805,
-  "/static/app/components/timeSince.spec.tsx": 803,
-  "/static/app/components/commitRow.spec.tsx": 805,
-  "/static/app/components/mutedBox.spec.jsx": 803,
-  "/static/app/components/sidebar/sidebarDropdown/index.spec.jsx": 803,
-  "/static/app/components/deprecatedforms/booleanField.spec.jsx": 800,
-  "/static/app/components/charts/eventsAreaChart.spec.jsx": 802,
-  "/static/app/views/dashboardsV2/widgetBuilder/utils.spec.tsx": 798,
-  "/static/app/views/organizationGroupDetails/actions/shareModal.spec.tsx": 798,
-  "/static/app/components/group/inboxBadges/inboxReason.spec.jsx": 793,
-  "/static/app/views/settings/project/dynamicSampling/rule.spec.tsx": 792,
-  "/static/app/stores/groupingStore.spec.jsx": 791,
-  "/static/app/utils/profiling/profile/importProfile.spec.tsx": 796,
-  "/static/app/views/settings/organizationProjects/index.spec.jsx": 791,
-  "/static/app/components/events/interfaces/searchBarAction.spec.tsx": 793,
-  "/static/app/components/charts/intervalSelector.spec.jsx": 790,
-  "/static/app/utils/performance/quickTrace/traceMetaQuery.spec.jsx": 790,
-  "/static/app/components/charts/eventsChart.spec.jsx": 789,
-  "/static/app/components/stream/processingIssueHint.spec.jsx": 786,
-  "/static/app/components/breadcrumbs.spec.jsx": 789,
-  "/static/app/components/forms/fields/tableField.spec.jsx": 783,
-  "/static/app/views/settings/projectSecurityHeaders/csp.spec.tsx": 783,
-  "/static/app/components/events/eventVitals.spec.jsx": 781,
-  "/static/app/views/performance/transactionSummary/transactionOverview/suspectSpans.spec.tsx": 781,
-  "/static/app/components/bulkController/index.spec.tsx": 774,
-  "/static/app/views/settings/project/server-side-sampling/samplingFromOtherProject.spec.tsx": 776,
-  "/static/app/views/dashboardsV2/datasetConfig/releases.spec.jsx": 779,
-  "/static/app/components/noProjectMessage.spec.tsx": 774,
-  "/static/app/components/profiling/breadcrumb.spec.tsx": 768,
-  "/static/app/components/queryCount.spec.tsx": 765,
-  "/static/app/views/integrationPipeline/pipelineView.spec.jsx": 766,
-  "/static/app/utils/useProjects.spec.tsx": 764,
-  "/static/app/components/buttonBar.spec.tsx": 765,
-  "/static/app/stores/organizationEnvironmentsStore.spec.jsx": 762,
-  "/static/app/components/events/interfaces/frame/openInContextLine.spec.tsx": 763,
-  "/static/app/views/eventsV2/utils.spec.jsx": 763,
-  "/static/app/views/eventsV2/table/arithmeticInput.spec.tsx": 763,
-  "/static/app/components/deviceName.spec.tsx": 756,
-  "/static/app/views/settings/project/dynamicSampling/samplingBreakdown.spec.tsx": 757,
-  "/static/app/components/modals/suggestProjectModal.spec.tsx": 762,
-  "/static/app/components/idBadge/teamBadge/index.spec.tsx": 761,
-  "/static/app/utils/profiling/flamegraphCanvas.spec.tsx": 755,
-  "/static/app/views/settings/projectSecurityAndPrivacy/index.spec.tsx": 760,
-  "/static/app/components/deployBadge.spec.tsx": 754,
-  "/static/app/components/events/contexts/utils.spec.tsx": 755,
-  "/static/app/components/smartSearchBar/actions.spec.jsx": 755,
-  "/static/app/components/globalSelectionLink.spec.tsx": 752,
-  "/static/app/bootstrap/processInitQueue.spec.jsx": 754,
-  "/static/app/components/avatar/avatarList.spec.tsx": 752,
-  "/static/app/components/deprecatedforms/radioBooleanField.spec.jsx": 752,
-  "/static/app/components/collapsible.spec.jsx": 750,
-  "/static/app/components/group/ownedBy.spec.tsx": 751,
-  "/static/app/utils/metrics/transformMetricsResponseToTable.spec.tsx": 749,
-  "/static/app/components/indicators.spec.jsx": 749,
-  "/static/app/components/asyncComponent.spec.jsx": 748,
-  "/static/app/components/charts/baseChart.spec.tsx": 747,
-  "/static/app/components/eventOrGroupTitle.spec.tsx": 749,
-  "/static/app/views/admin/adminQuotas.spec.jsx": 745,
-  "/static/app/components/events/interfaces/generic.spec.tsx": 745,
-  "/static/app/components/eventOrGroupExtraDetails.spec.jsx": 744,
-  "/static/app/views/organizationIntegrations/docIntegrationDetailedView.spec.jsx": 747,
-  "/static/app/components/events/eventAttachments.spec.tsx": 742,
-  "/static/app/components/events/eventCause.spec.jsx": 742,
-  "/static/app/components/stream/processingIssueList.spec.jsx": 742,
-  "/static/app/views/organizationStats/teamInsights/teamStability.spec.jsx": 737,
-  "/static/app/components/events/eventTags/index.spec.tsx": 743,
-  "/static/app/views/alerts/utils/getMetricRuleDiscoverUrl.spec.tsx": 734,
-  "/static/app/components/acl/feature.spec.jsx": 736,
-  "/static/app/views/alerts/rules/issue/setupAlertIntegrationButton.spec.jsx": 737,
-  "/static/app/components/avatar/index.spec.tsx": 733,
-  "/static/app/views/organizationGroupDetails/groupEventDetails/index.spec.tsx": 730,
-  "/static/app/views/settings/projectPlugins/projectPlugins.spec.jsx": 729,
-  "/static/app/views/organizationIntegrations/addIntegration.spec.jsx": 728,
-  "/static/app/utils/profiling/gl/utils.spec.tsx": 727,
-  "/static/app/components/charts/releaseSeries.spec.jsx": 727,
-  "/static/app/components/dataExport.spec.jsx": 726,
-  "/static/app/utils/withExperiment.spec.jsx": 726,
-  "/static/app/components/alertLink.spec.tsx": 724,
-  "/static/app/components/seenByList.spec.jsx": 725,
-  "/static/app/components/version.spec.tsx": 726,
-  "/static/app/components/inactivePlugins.spec.jsx": 722,
-  "/static/app/views/performance/landing/utils.spec.tsx": 723,
-  "/static/app/views/organizationGroupDetails/groupTags.spec.jsx": 723,
-  "/static/app/components/events/eventDataSection.spec.jsx": 721,
-  "/static/app/views/organizationStats/usageChart/utils.spec.jsx": 718,
-  "/static/app/components/events/interfaces/spans/spanTreeModel.spec.tsx": 716,
-  "/static/app/components/events/sdkUpdates/index.spec.jsx": 716,
-  "/static/app/views/organizationIntegrations/addIntegrationButton.spec.tsx": 714,
-  "/static/app/views/organizationStats/teamInsights/teamIssuesAge.spec.jsx": 712,
-  "/static/app/components/errorRobot.spec.jsx": 712,
-  "/static/app/components/autoplayVideo.spec.tsx": 709,
-  "/static/app/components/forms/controls/rangeSlider/index.spec.tsx": 710,
-  "/static/app/components/deprecatedforms/emailField.spec.jsx": 707,
-  "/static/app/views/admin/adminBuffer.spec.jsx": 703,
-  "/static/app/utils/formatters.spec.tsx": 703,
-  "/static/app/components/dropdownAutoComplete/menu.spec.jsx": 703,
-  "/tests/js/sentry-test/reactTestingLibrary.spec.tsx": 701,
-  "/static/app/components/forms/controls/radioGroup.spec.tsx": 707,
-  "/static/app/utils/withPageFilters.spec.tsx": 702,
-  "/static/app/views/projectDetail/projectTeamAccess.spec.jsx": 701,
-  "/static/app/components/acl/featureDisabled.spec.jsx": 697,
-  "/static/app/components/eventsTable/eventsTableRow.spec.jsx": 699,
-  "/static/app/views/performance/transactionSummary/transactionVitals/utils.spec.jsx": 692,
-  "/static/app/components/modals/recoveryOptionsModal.spec.jsx": 695,
-  "/static/app/views/settings/account/apiNewToken.spec.jsx": 691,
-  "/static/app/components/events/interfaces/spans/traceErrorList.spec.tsx": 696,
-  "/static/app/components/events/contexts/app/getAppKnownDataDetails.spec.tsx": 698,
-  "/static/app/utils/teams.spec.tsx": 689,
-  "/static/app/utils/withRepositories.spec.jsx": 689,
-  "/static/app/utils/useHotkeys.spec.jsx": 687,
-  "/static/app/bootstrap/renderOnDomReady.spec.jsx": 687,
-  "/static/app/components/letterAvatar.spec.tsx": 685,
-  "/static/app/utils/formatters.spec.jsx": 682,
-  "/static/app/components/forms/returnButton.spec.tsx": 682,
-  "/static/app/views/settings/organizationMembers/organizationMembersWrapper.spec.jsx": 685,
-  "/static/app/stores/teamStore.spec.jsx": 681,
-  "/static/app/components/modals/redirectToProject.spec.tsx": 681,
-  "/static/app/components/charts/baseChartHeightResize.spec.tsx": 679,
-  "/static/app/views/dashboardsV2/datasetConfig/issues.spec.jsx": 681,
-  "/static/app/components/modals/widgetBuilder/overwriteWidgetModal.spec.tsx": 679,
-  "/static/app/views/settings/projectPlugins/index.spec.jsx": 678,
-  "/static/app/components/search/sources/apiSource.spec.jsx": 675,
-  "/static/app/views/settings/organizationTeams/teamDetails.spec.jsx": 677,
-  "/static/app/components/tagsTable.spec.tsx": 675,
-  "/static/app/utils/useParams.spec.tsx": 673,
-  "/static/app/views/onboarding/createSampleEventButton.spec.jsx": 677,
-  "/static/app/utils/convertFromSelect2Choices.spec.tsx": 673,
-  "/static/app/utils/profiling/profile/jsSelfProfile.spec.tsx": 671,
-  "/static/app/views/replays/detail/domMutations/useDomFilters.spec.tsx": 672,
-  "/static/app/views/onboarding/components/firstEventIndicator.spec.jsx": 672,
-  "/static/app/components/group/suspectReleases.spec.jsx": 669,
-  "/static/app/components/idBadge/userBadge.spec.tsx": 670,
-  "/static/app/utils/profiling/renderers/positionIndicatorRenderer.spec.tsx": 666,
-  "/static/app/views/settings/account/apiTokenRow.spec.tsx": 667,
-  "/static/app/utils/profiling/renderers/textRenderer.spec.tsx": 664,
-  "/static/app/utils/usePrevious.spec.tsx": 661,
-  "/static/app/views/releases/detail/utils.spec.tsx": 660,
-  "/static/app/views/settings/components/dataScrubbing/modals/form/sourceField.spec.tsx": 666,
-  "/static/app/components/actions/resolve.spec.jsx": 664,
-  "/static/app/components/checkbox.spec.tsx": 658,
-  "/static/app/components/contextData/index.spec.tsx": 659,
-  "/static/app/components/forms/controls/multipleCheckbox.spec.tsx": 658,
-  "/static/app/components/alertBadge.spec.tsx": 655,
-  "/static/app/components/acl/role.spec.jsx": 658,
-  "/static/app/views/settings/project/dynamicSampling/utils/useRecommendedSdkUpgrades.spec.tsx": 654,
-  "/static/app/components/modals/reprocessEventModal.spec.tsx": 655,
-  "/static/app/utils/withTeamsForUser.spec.jsx": 652,
-  "/static/app/utils/replaceRouterParams.spec.tsx": 651,
-  "/static/app/utils/withRelease.spec.jsx": 652,
-  "/static/app/components/projectPageFilter.spec.tsx": 652,
-  "/static/app/stores/pluginsStore.spec.jsx": 650,
-  "/static/app/views/settings/project/projectOwnership/ownerInput.spec.jsx": 651,
-  "/static/app/utils/profiling/units/unit.spec.ts": 646,
-  "/static/app/components/idBadge/baseBadge.spec.tsx": 647,
-  "/static/app/utils/profiling/renderers/flamegraphRenderer.spec.tsx": 646,
-  "/static/app/components/events/contexts/user/index.spec.tsx": 649,
-  "/static/app/components/circleIndicator.spec.tsx": 645,
-  "/static/app/locale.spec.tsx": 640,
-  "/static/app/plugins/components/pluginIcon.spec.jsx": 642,
-  "/static/app/components/issueSyncListElement.spec.jsx": 640,
-  "/static/app/utils/tokenizeSearch.spec.tsx": 639,
-  "/static/app/stores/persistedStore.spec.tsx": 638,
-  "/static/app/components/lazyLoad.spec.tsx": 639,
-  "/static/app/components/dropdownAutoComplete/index.spec.jsx": 634,
-  "/static/app/views/issueList/noGroupsHandler/noUnresolvedIssues.spec.jsx": 630,
-  "/static/app/utils/profiling/flamegraph.spec.tsx": 628,
-  "/static/app/utils/releases/releasesProvider.spec.tsx": 633,
-  "/static/app/views/settings/project/dynamicSampling/utils/projectStatsToPredictedSeries.spec.tsx": 626,
-  "/static/app/utils/useTags.spec.tsx": 626,
-  "/static/app/components/progressBar.spec.tsx": 625,
-  "/static/app/components/hook.spec.jsx": 621,
-  "/static/app/components/similarSpectrum.spec.tsx": 622,
-  "/static/app/utils/useNavigate.spec.tsx": 621,
-  "/static/app/stores/guideStore.spec.jsx": 619,
-  "/static/app/views/settings/organizationTeams/teamProjects.spec.jsx": 622,
-  "/static/app/utils/profiling/renderers/selectedFrameRenderer.spec.tsx": 618,
-  "/static/app/utils/utils.spec.jsx": 618,
-  "/static/app/components/button.spec.tsx": 619,
-  "/static/app/utils/useUndoableReducer.spec.tsx": 617,
-  "/static/app/views/organizationRoot.spec.jsx": 612,
-  "/static/app/views/settings/account/accountClose.spec.jsx": 610,
-  "/static/app/utils/profiling/canvasScheduler.spec.tsx": 606,
-  "/static/app/views/settings/project/dynamicSampling/samplingFromOtherProject.spec.tsx": 610,
-  "/static/app/components/profiling/arrayLinks.spec.tsx": 606,
-  "/static/app/utils/withProjects.spec.jsx": 597,
-  "/static/app/stores/configStore.spec.tsx": 607,
-  "/static/app/views/organizationGroupDetails/quickTrace/index.spec.jsx": 603,
-  "/static/app/views/releases/list/releasesRequest.spec.tsx": 599,
-  "/static/app/utils/highlightFuseMatches.spec.jsx": 594,
-  "/static/app/utils/profiling/profile/eventedProfile.spec.tsx": 592,
-  "/static/app/utils/useApi.spec.tsx": 594,
-  "/static/app/views/dashboardsV2/widgetBuilder/issueWidget/utils.spec.tsx": 588,
-  "/static/app/views/admin/adminQueue.spec.jsx": 589,
-  "/static/app/components/similarScoreCard.spec.tsx": 586,
-  "/static/app/components/deprecatedDropdownMenu.spec.tsx": 585,
-  "/static/app/utils/withIssueTags.spec.tsx": 584,
-  "/static/app/utils/profiling/weightedNode.spec.tsx": 584,
-  "/static/app/utils/profiling/jsSelfProfiling.spec.tsx": 583,
-  "/static/app/components/pullRequestLink.spec.jsx": 583,
-  "/static/app/utils/profiling/profile/sampledProfile.spec.tsx": 580,
-  "/static/app/actionCreators/projects.spec.tsx": 579,
-  "/static/app/views/dashboardsV2/widgetCard/transformSessionsResponseToSeries.spec.tsx": 584,
-  "/static/app/views/organizationIntegrations/integrationDetailedView.spec.jsx": 585,
-  "/static/app/utils/profiling/units/versions.spec.tsx": 581,
-  "/static/app/views/replays/detail/network/utils.spec.tsx": 576,
-  "/static/app/views/organizationStats/utils.spec.jsx": 575,
-  "/static/app/views/settings/account/accountSecurity/sessionHistory/index.spec.jsx": 579,
-  "/static/app/components/profiling/profilesTable.spec.tsx": 577,
-  "/static/app/views/alerts/incidentRedirect.spec.jsx": 572,
-  "/static/app/utils/profiling/filterFlamegraphTree.spec.tsx": 575,
-  "/static/app/components/featureBadge.spec.tsx": 570,
-  "/static/app/views/auth/login.spec.jsx": 573,
-  "/static/app/utils/getDaysSinceDate.spec.tsx": 568,
-  "/static/app/views/settings/projectSourceMaps/detail/index.spec.jsx": 568,
-  "/static/app/utils/discover/charts.spec.tsx": 565,
-  "/static/app/components/events/eventSdk.spec.tsx": 568,
-  "/static/app/components/events/interfaces/frame/frameRegisters/index.spec.tsx": 566,
-  "/static/app/components/globalSdkUpdateAlert.spec.tsx": 566,
-  "/static/app/views/settings/organizationApiKeys/organizationApiKeysList.spec.jsx": 561,
-  "/static/app/components/loading/loadingContainer.spec.tsx": 558,
-  "/static/app/actionCreators/committers.spec.jsx": 557,
-  "/static/app/views/organizationStats/teamInsights/teamUnresolvedIssues.spec.jsx": 558,
-  "/static/app/utils/useApiRequests.spec.tsx": 559,
-  "/static/app/components/links/externalLink.spec.tsx": 553,
-  "/static/app/utils/withApi.spec.tsx": 551,
-  "/static/app/utils/getPeriod.spec.tsx": 550,
-  "/static/app/utils/replays/getReplayEvent.spec.tsx": 544,
-  "/static/app/components/replays/utils.spec.tsx": 553,
-  "/static/app/stores/organizationStore.spec.jsx": 551,
-  "/static/app/components/commandLine.spec.tsx": 545,
-  "/static/app/utils/removeAtArrayIndex.spec.tsx": 543,
-  "/static/app/views/settings/organizationDeveloperSettings/resourceSubscriptions.spec.jsx": 542,
-  "/static/app/components/organizations/pageFilters/parse.spec.jsx": 540,
-  "/static/app/actionCreators/release.spec.jsx": 538,
-  "/static/app/views/replays/detail/network/useNetworkFilters.spec.tsx": 539,
-  "/static/app/utils/replays/getCurrentUrl.spec.tsx": 540,
-  "/static/app/views/settings/organizationApiKeys/index.spec.jsx": 538,
-  "/static/app/views/settings/organizationDeveloperSettings/subscriptionBox.spec.jsx": 537,
-  "/static/app/views/settings/projectSecurityHeaders/index.spec.jsx": 533,
-  "/static/app/utils/crashReports.spec.tsx": 531,
-  "/static/app/utils/retryableImport.spec.jsx": 523,
-  "/static/app/utils/useLocalStorageState.spec.tsx": 527,
-  "/static/app/views/settings/project/dynamicSampling/modals/recommendedStepsModal.spec.tsx": 527,
-  "/static/app/views/replays/detail/tagPanel/index.spec.tsx": 518,
-  "/static/app/components/deprecatedforms/passwordField.spec.jsx": 507,
-  "/static/app/views/issueList/tagFilter.spec.tsx": 514,
-  "/static/app/utils/findClosestNumber.spec.tsx": 504,
-  "/static/app/utils/getProjectsByTeams.spec.jsx": 497,
-  "/static/app/components/editableText.spec.tsx": 501,
-  "/static/app/utils/handleXhrErrorResponse.spec.jsx": 494,
-  "/static/app/components/autoComplete.spec.jsx": 500,
-  "/static/app/utils/consolidatedScopes.spec.tsx": 491,
-  "/static/app/utils/discover/discoverQuery.spec.jsx": 498,
-  "/static/app/components/events/interfaces/keyValueList/index.spec.tsx": 486,
-  "/static/app/components/deprecatedforms/numberField.spec.tsx": 483,
-  "/static/app/utils/profiling/hooks/useVirtualizedTree/useVirtualizedTree.spec.tsx": 479,
-  "/static/app/components/events/packageData.spec.tsx": 483,
-  "/static/app/components/customCommitsResolutionModal.spec.jsx": 476,
-  "/static/app/components/events/interfaces/crashContent/exception/mechanism.spec.tsx": 484,
-  "/static/app/stores/useLegacyStore.spec.tsx": 476,
-  "/static/app/actionCreators/metrics.spec.tsx": 476,
-  "/static/app/views/releases/utils/index.spec.tsx": 474,
-  "/static/app/components/modals/diffModal.spec.jsx": 473,
-  "/static/app/views/settings/account/accountSubscriptions.spec.jsx": 472,
-  "/static/app/utils/profiling/guards/profile.spec.tsx": 471,
-  "/static/app/components/events/interfaces/spans/utils.spec.tsx": 471,
-  "/static/app/components/group/releaseStats.spec.jsx": 471,
-  "/static/app/actionCreators/onboardingTasks.spec.jsx": 467,
-  "/static/app/actionCreators/organization.spec.jsx": 465,
-  "/static/app/components/organizations/timeRangeSelector/dateSummary.spec.tsx": 460,
-  "/static/app/utils/profiling/colors/utils.spec.tsx": 444,
-  "/static/app/components/bulkController/bulkNotice.spec.jsx": 441,
-  "/static/app/views/alerts/wizard/radioPanelGroup.spec.tsx": 440,
-  "/static/app/components/deprecatedforms/multipleCheckboxField.spec.jsx": 438,
-  "/static/app/views/organizationStats/teamInsights/teamAlertsTriggered.spec.jsx": 439,
-  "/static/app/components/confirmDelete.spec.jsx": 437,
-  "/static/app/components/narrowLayout.spec.jsx": 430,
-  "/static/app/components/clipboardTooltip.spec.tsx": 429,
-  "/static/app/views/alerts/rules/metric/constants.spec.jsx": 434,
-  "/static/app/components/errors/detailedError.spec.tsx": 436,
-  "/static/app/actionCreators/pageFilters.spec.jsx": 424,
-  "/static/app/utils/profiling/flamegraphView.spec.tsx": 423,
-  "/static/app/views/settings/account/apiTokens.spec.jsx": 428,
-  "/static/app/views/settings/projectSecurityHeaders/hpkp.spec.jsx": 423,
-  "/static/app/stores/groupStore.spec.tsx": 422,
-  "/static/app/utils/replays/flattenListOfObjects.spec.tsx": 418,
-  "/static/app/components/collapsePanel.spec.jsx": 422,
-  "/static/app/components/search/sources/formSource.spec.jsx": 419,
-  "/static/app/components/modals/createTeamModal.spec.jsx": 418,
-  "/static/app/components/avatarCropper.spec.tsx": 415,
-  "/static/app/utils/metrics/transformMetricsResponseToSeries.spec.tsx": 415,
-  "/static/app/views/organizationStats/teamInsights/teamResolutionTime.spec.jsx": 416,
-  "/static/app/stores/selectedGroupStore.spec.tsx": 407,
-  "/static/app/utils/useMetricsContext.spec.tsx": 404,
-  "/static/app/components/acl/access.spec.jsx": 402,
-  "/static/app/utils/displayReprocessEventAction.spec.tsx": 398,
-  "/static/app/components/search/sources/routeSource.spec.jsx": 399,
-  "/static/app/components/issueDiff/index.spec.jsx": 399,
-  "/static/app/stores/tagStore.spec.jsx": 398,
-  "/static/app/components/idBadge/organizationBadge.spec.tsx": 395,
-  "/static/app/views/settings/account/accountAuthorizations.spec.jsx": 398,
-  "/static/app/utils/profiling/profile/chromeTraceProfile.spec.tsx": 395,
-  "/static/app/components/forms/formField/index.spec.tsx": 398,
-  "/static/app/components/userMisery.spec.tsx": 390,
-  "/static/app/utils/useLocation.spec.tsx": 390,
-  "/static/app/utils/sessions.spec.tsx": 390,
-  "/static/app/views/settings/projectPlugins/projectPluginRow.spec.jsx": 391,
-  "/static/app/stores/savedSearchesStore.spec.jsx": 385,
-  "/static/app/views/performance/landing/dynamicSamplingMetricsAccuracyAlert.spec.tsx": 387,
-  "/static/app/components/banner.spec.tsx": 387,
-  "/static/app/actionCreators/group.spec.jsx": 383,
-  "/static/app/components/events/interfaces/utils.spec.jsx": 390,
-  "/static/app/utils/eventWaiter.spec.jsx": 380,
-  "/static/app/utils/profiling/hooks/useProfiles.spec.tsx": 380,
-  "/static/app/components/group/tagDistributionMeter.spec.jsx": 383,
-  "/static/app/components/modals/teamAccessRequestModal.spec.jsx": 383,
-  "/static/app/views/settings/projectSecurityHeaders/expectCt.spec.tsx": 382,
-  "/static/app/components/events/interfaces/debugMeta/utils.spec.tsx": 378,
-  "/static/app/utils/performance/contexts/pageError.spec.jsx": 379,
-  "/static/app/views/settings/account/notifications/utils.spec.tsx": 378,
-  "/static/app/views/replays/detail/domMutations/utils.spec.tsx": 374,
-  "/static/app/components/idBadge/memberBadge.spec.jsx": 376,
-  "/static/app/utils/useCombinedReducer.spec.tsx": 373,
-  "/static/app/components/eventsTable/eventsTable.spec.jsx": 371,
-  "/static/app/views/settings/project/dynamicSampling/utils/projectStatsToSampleRates.spec.tsx": 364,
-  "/static/app/views/releases/utils/sessionTerm.spec.tsx": 368,
-  "/static/app/utils/requestError/sanitizePath.spec.tsx": 362,
-  "/static/app/components/idBadge/projectBadge.spec.tsx": 362,
-  "/static/app/utils/getStacktraceBody.spec.jsx": 361,
-  "/static/app/components/textCopyInput.spec.jsx": 360,
-  "/static/app/components/toolbarHeader.spec.jsx": 369,
-  "/static/app/components/keyValueTable.spec.tsx": 355,
-  "/static/app/views/alerts/wizard/utils.spec.tsx": 350,
-  "/static/app/components/highlight.spec.jsx": 351,
-  "/static/app/actionCreators/repositories.spec.jsx": 346,
-  "/static/app/actionCreators/events.spec.jsx": 338,
-  "/static/app/components/charts/utils.spec.jsx": 342,
-  "/static/app/views/alerts/rules/issue/details/textRule.spec.tsx": 337,
-  "/static/app/utils/getDynamicText.spec.tsx": 330,
-  "/static/app/components/events/interfaces/crashContent/stackTrace/rawContent.spec.jsx": 328,
-  "/static/app/utils/profiling/differentialFlamegraph.spec.tsx": 328,
-  "/static/app/utils/discover/urls.spec.jsx": 326,
-  "/static/app/utils/useMemoWithPrevious.spec.jsx": 332,
-  "/static/app/utils/marked.spec.tsx": 321,
-  "/static/app/views/settings/components/settingsBreadcrumb/findFirstRouteWithoutRouteParam.spec.jsx": 319,
-  "/static/app/views/settings/project/dynamicSampling/utils/projectStatsToSeries.spec.tsx": 317,
-  "/static/app/utils/dates.spec.tsx": 316,
-  "/static/app/utils/getRouteStringFromRoutes.spec.jsx": 313,
-  "/static/app/utils/slugify.spec.tsx": 310,
-  "/static/app/utils/profiling/profile/profile.spec.tsx": 310,
-  "/static/app/utils/replaceAtArrayIndex.spec.tsx": 305,
-  "/static/app/utils/profiling/renderers/gridRenderer.spec.tsx": 313,
-  "/static/app/views/settings/project/dynamicSampling/utils/hasFirstBucketsEmpty.spec.tsx": 305,
-  "/static/app/components/tagDeprecated.spec.tsx": 308,
-  "/static/app/utils/withTags.spec.jsx": 304,
-  "/static/app/utils/trimSlug.spec.tsx": 303,
-  "/static/app/utils/replays/useReplayData.test.jsx": 302,
-  "/static/app/components/organizations/pageFilters/utils.spec.jsx": 295,
-  "/static/app/components/charts/components/xAxis.spec.jsx": 298,
-  "/static/app/utils/queryString.spec.tsx": 278,
-  "/static/app/utils/profiling/frame.spec.tsx": 278,
-  "/static/app/utils/profiling/hooks/useVirtualizedTree/VirtualizedTreeNode.spec.tsx": 292,
-  "/static/app/stores/pageFiltersStore.spec.jsx": 273,
-  "/static/app/utils/sanitizeQuerySelector.spec.jsx": 255,
-  "/static/app/views/dashboardsV2/widgetBuilder/releaseWidget/fields.spec.tsx": 254,
-  "/static/app/utils/profiling/hooks/useVirtualizedTree/VirtualizedTree.spec.tsx": 253,
-  "/static/app/stores/alertStore.spec.jsx": 241,
-  "/static/app/utils/profiling/formatters/stackMarkerToHumanReadable.spec.tsx": 239,
-  "/static/app/utils/recreateRoute.spec.tsx": 248
-}
+  "/static/app/utils/discover/eventView.spec.jsx": 17930,
+  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilder.spec.tsx": 78884,
+  "/static/app/components/modals/widgetViewerModal.spec.tsx": 9507,
+  "/static/app/views/eventsV2/results.spec.jsx": 33696,
+  "/static/app/views/issueList/overview.spec.jsx": 16078,
+  "/static/app/views/dashboardsV2/widgetCard/transformSessionsResponseToSeries.spec.tsx": 1775,
+  "/static/app/views/dashboardsV2/detail.spec.jsx": 14516,
+  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilderDataset.spec.tsx": 31414,
+  "/static/app/components/events/interfaces/threadsV2.spec.tsx": 11582,
+  "/static/app/views/performance/transactionSummary/transactionOverview/index.spec.tsx": 28302,
+  "/static/app/components/smartSearchBar/index.spec.jsx": 12523,
+  "/static/app/components/events/interfaces/spans/waterfallModel.spec.tsx": 1754,
+  "/static/app/views/dashboardsV2/widgetCard/index.spec.tsx": 6530,
+  "/static/app/views/releases/utils/sessionTerm.spec.tsx": 846,
+  "/static/app/views/performance/landing/widgets/components/widgetContainer.spec.tsx": 6780,
+  "/static/app/views/dashboardsV2/widgetBuilder/widgetBuilderSortBy.spec.tsx": 33726,
+  "/static/app/views/dashboardsV2/widgetCard/widgetQueries.spec.jsx": 3160,
+  "/static/app/components/organizations/pageFilters/container.spec.jsx": 1647,
+  "/static/app/components/autoComplete.spec.jsx": 1439,
+  "/static/app/views/dashboardsV2/widgetCard/releaseWidgetQueries.spec.tsx": 2166,
+  "/static/app/views/eventsV2/utils.spec.jsx": 1469,
+  "/static/app/views/eventsV2/table/columnEditModal.spec.jsx": 59784,
+  "/static/app/views/releases/list/releasesRequest.spec.tsx": 1686,
+  "/static/app/components/events/interfaces/spans/spanTreeModel.spec.tsx": 981,
+  "/static/app/views/performance/trends/index.spec.tsx": 11687,
+  "/static/app/views/performance/transactionSummary/transactionSpans/spanDetails/index.spec.tsx": 7946,
+  "/static/app/components/events/interfaces/spans/traceView.spec.tsx": 9191,
+  "/static/app/stores/groupingStore.spec.jsx": 1129,
+  "/static/app/views/eventsV2/table/cellAction.spec.jsx": 2662,
+  "/static/app/components/discover/transactionsList.spec.jsx": 3346,
+  "/static/app/components/charts/eventsRequest.spec.jsx": 1718,
+  "/static/app/views/settings/project/server-side-sampling/serverSideSampling.spec.tsx": 10628,
+  "/static/app/components/modals/widgetBuilder/addToDashboardModal.spec.tsx": 4650,
+  "/static/app/utils/projects.spec.jsx": 1387,
+  "/static/app/views/settings/projectDebugFiles/sources/customRepositories/index.spec.tsx": 4733,
+  "/static/app/utils/profiling/gl/utils.spec.tsx": 1539,
+  "/static/app/utils/tokenizeSearch.spec.tsx": 832,
+  "/static/app/views/releases/list/index.spec.jsx": 9020,
+  "/static/app/views/replays/detail/console/useConsoleFilters.spec.tsx": 1039,
+  "/static/app/views/alerts/create.spec.jsx": 26664,
+  "/static/app/views/settings/organizationMembers/organizationMembersList.spec.jsx": 3991,
+  "/static/app/components/organizations/timeRangeSelector/index.spec.jsx": 2629,
+  "/static/app/utils/performance/quickTrace/utils.spec.tsx": 2034,
+  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToPredictedSeries.spec.tsx": 1620,
+  "/static/app/views/performance/content.spec.jsx": 10597,
+  "/static/app/utils/sessions.spec.tsx": 919,
+  "/static/app/views/performance/vitalDetail/index.spec.tsx": 7693,
+  "/static/app/actionCreators/pageFilters.spec.jsx": 2107,
+  "/static/app/views/eventsV2/savedQuery/index.spec.tsx": 2907,
+  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToSeries.spec.tsx": 2706,
+  "/static/app/components/organizations/projectSelector/index.spec.jsx": 4686,
+  "/static/app/views/settings/project/server-side-sampling/modals/uniformRateModal.spec.tsx": 6429,
+  "/static/app/views/eventsV2/table/tableView.spec.jsx": 9724,
+  "/static/app/utils/metrics/transformMetricsResponseToSeries.spec.tsx": 797,
+  "/static/app/views/settings/organizationDeveloperSettings/sentryApplicationDetails.spec.jsx": 10806,
+  "/static/app/views/issueList/actions/index.spec.jsx": 6790,
+  "/static/app/views/settings/account/accountSecurity/index.spec.jsx": 3018,
+  "/static/app/views/performance/transactionSummary/teamKeyTransactionButton.spec.jsx": 3439,
+  "/static/app/components/quickTrace/index.spec.tsx": 2388,
+  "/static/app/views/eventsV2/homepage.spec.tsx": 9586,
+  "/static/app/views/performance/table.spec.tsx": 4282,
+  "/static/app/views/organizationGroupDetails/groupEvents.spec.jsx": 6183,
+  "/static/app/views/eventsV2/queryList.spec.jsx": 6407,
+  "/static/app/utils/discover/teamKeyTransactionField.spec.tsx": 1695,
+  "/static/app/views/organizationGroupDetails/groupReplays/groupReplays.spec.tsx": 3810,
+  "/static/app/views/organizationIntegrations/sentryAppDetailedView.spec.jsx": 2609,
+  "/static/app/utils/discover/fields.spec.jsx": 882,
+  "/static/app/views/performance/transactionSummary/transactionReplays/index.spec.tsx": 4791,
+  "/static/app/components/events/contextSummary/index.spec.tsx": 2188,
+  "/static/app/views/projectsDashboard/index.spec.jsx": 3371,
+  "/static/app/components/search/sources/apiSource.spec.tsx": 1579,
+  "/static/app/components/events/eventTagsAndScreenshot/index.spec.tsx": 6433,
+  "/static/app/views/settings/organizationMembers/organizationMemberDetail.spec.jsx": 3824,
+  "/static/app/components/assigneeSelector.spec.jsx": 2393,
+  "/static/app/views/organizationGroupDetails/groupEventDetails/groupEventDetails.spec.tsx": 19686,
+  "/static/app/components/events/eventEntries.spec.tsx": 3208,
+  "/static/app/views/dashboardsV2/utils.spec.tsx": 2202,
+  "/static/app/views/settings/projectGeneralSettings.spec.jsx": 5650,
+  "/static/app/views/performance/transactionSummary/transactionVitals/index.spec.jsx": 10645,
+  "/static/app/views/dashboardsV2/dashboard.spec.tsx": 3791,
+  "/static/app/views/settings/project/server-side-sampling/modals/specificConditionsModal/index.spec.tsx": 4427,
+  "/static/app/components/events/searchBar.spec.jsx": 19853,
+  "/static/app/utils/discover/fieldRenderers.spec.jsx": 1807,
+  "/static/app/views/alerts/rules/metric/ruleForm.spec.jsx": 9168,
+  "/static/app/views/performance/landing/queryBatcher.spec.tsx": 4798,
+  "/static/app/components/modals/inviteMembersModal/index.spec.jsx": 4861,
+  "/static/app/views/performance/landing/index.spec.tsx": 8063,
+  "/static/app/views/performance/transactionSummary/transactionTags/index.spec.tsx": 5689,
+  "/static/app/views/alerts/rules/issue/index.spec.jsx": 11045,
+  "/static/app/views/alerts/list/rules/index.spec.jsx": 8441,
+  "/static/app/components/sidebar/sidebarDropdown/switchOrganization.spec.tsx": 1757,
+  "/static/app/views/dashboardsV2/orgDashboards.spec.tsx": 3035,
+  "/static/app/stores/selectedGroupStore.spec.tsx": 835,
+  "/static/app/utils/profiling/profile/chromeTraceProfile.spec.tsx": 1614,
+  "/static/app/components/organizations/environmentSelector.spec.tsx": 2241,
+  "/static/app/components/events/interfaces/request/index.spec.tsx": 1389,
+  "/static/app/views/performance/landing/metricsDataSwitcher.spec.tsx": 7743,
+  "/static/app/views/organizationContextContainer.spec.jsx": 5150,
+  "/static/app/components/sidebar/index.spec.jsx": 3411,
+  "/static/app/stores/savedSearchesStore.spec.jsx": 801,
+  "/static/app/views/organizationStats/index.spec.tsx": 6689,
+  "/static/app/views/eventsV2/eventDetails/index.spec.jsx": 8122,
+  "/static/app/components/performanceOnboarding/performanceOnboarding.spec.tsx": 4525,
+  "/static/app/components/contextPickerModal.spec.tsx": 4406,
+  "/static/app/views/organizationGroupDetails/groupActivity.spec.jsx": 3772,
+  "/static/app/utils/profiling/flamegraph.spec.tsx": 1060,
+  "/static/app/components/group/sentryAppExternalIssueForm.spec.jsx": 2568,
+  "/static/app/views/performance/transactionEvents.spec.tsx": 3407,
+  "/static/app/views/settings/organizationTeams/organizationTeams.spec.jsx": 2500,
+  "/static/app/views/settings/organizationDeveloperSettings/sentryApplicationDashboard/index.spec.jsx": 2115,
+  "/static/app/utils/profiling/renderers/flamegraphRenderer.spec.tsx": 1165,
+  "/static/app/components/avatar/index.spec.tsx": 1258,
+  "/static/app/views/issueList/header.spec.jsx": 2938,
+  "/static/app/utils/profiling/profile/jsSelfProfile.spec.tsx": 978,
+  "/static/app/views/settings/organizationDeveloperSettings/index.spec.jsx": 2755,
+  "/static/app/views/settings/organizationTeams/teamMembers.spec.jsx": 4670,
+  "/static/app/views/alerts/rules/issue/ruleNode.spec.jsx": 3816,
+  "/static/app/components/acl/feature.spec.jsx": 1701,
+  "/static/app/components/charts/releaseSeries.spec.jsx": 2240,
+  "/static/app/utils/profiling/profile/importProfile.spec.tsx": 1219,
+  "/static/app/components/dropdownLink.spec.tsx": 1345,
+  "/static/app/views/dashboardsV2/manage/dashboardList.spec.jsx": 3216,
+  "/static/app/components/replays/utils.spec.tsx": 760,
+  "/static/app/components/events/interfaces/crashContent/stackTrace/content.spec.tsx": 3418,
+  "/static/app/views/alerts/rules/metric/edit.spec.jsx": 5840,
+  "/static/app/views/settings/components/dataScrubbing/modals/edit.spec.tsx": 4186,
+  "/static/app/utils/discover/charts.spec.tsx": 839,
+  "/static/app/components/featureFeedback/feedbackModal.spec.tsx": 2444,
+  "/static/app/utils/discover/discoverQuery.spec.jsx": 1591,
+  "/static/app/views/performance/transactionSummary/transactionEvents/eventsTable.spec.tsx": 3754,
+  "/static/app/utils/useLocalStorageState.spec.tsx": 2778,
+  "/static/app/views/performance/transactionSummary/transactionOverview/tagExplorer.spec.jsx": 3262,
+  "/static/app/views/performance/transactionSummary/transactionEvents/content.spec.tsx": 2435,
+  "/static/app/views/eventsV2/metricsBaselineContainer.spec.tsx": 2582,
+  "/static/app/components/organizations/pageFilters/parse.spec.jsx": 792,
+  "/static/app/views/issueList/searchBar.spec.tsx": 5590,
+  "/static/app/views/settings/project/projectFilters/index.spec.jsx": 4256,
+  "/static/app/components/globalSdkUpdateAlert.spec.tsx": 1265,
+  "/static/app/components/profiling/ProfilingOnboarding/profilingOnboardingModal.spec.tsx": 3264,
+  "/static/app/views/performance/transactionSummary/transactionSpans/index.spec.tsx": 4869,
+  "/static/app/views/settings/project/projectTeams.spec.jsx": 2229,
+  "/static/app/views/dashboardsV2/widgetBuilder/releaseWidget/fields.spec.tsx": 689,
+  "/static/app/views/alerts/list/incidents/index.spec.jsx": 4644,
+  "/static/app/views/issueList/overview.polling.spec.jsx": 4192,
+  "/static/app/utils/utils.spec.jsx": 884,
+  "/static/app/views/organizationGroupDetails/groupDetails.spec.jsx": 9576,
+  "/static/app/utils/metrics/metricsRequest.spec.tsx": 1326,
+  "/static/app/views/eventsV2/table/quickContext.spec.tsx": 1534,
+  "/static/app/utils/profiling/renderers/textRenderer.spec.tsx": 912,
+  "/static/app/views/acceptOrganizationInvite.spec.jsx": 2683,
+  "/static/app/views/settings/organizationMembers/organizationMemberRow.spec.jsx": 1371,
+  "/static/app/components/integrationExternalMappingForm.spec.jsx": 3946,
+  "/static/app/components/group/sidebar.spec.jsx": 2533,
+  "/static/app/views/dashboardsV2/widgetCard/issueWidgetCard.spec.tsx": 2793,
+  "/static/app/components/events/interfaces/utils.spec.jsx": 948,
+  "/static/app/views/settings/components/dataScrubbing/modals/add.spec.tsx": 4311,
+  "/static/app/components/smartSearchBar/utils.spec.tsx": 966,
+  "/static/app/stores/groupStore.spec.tsx": 801,
+  "/static/app/utils/useUndoableReducer.spec.tsx": 965,
+  "/static/app/views/eventsV2/table/arithmeticInput.spec.tsx": 1792,
+  "/static/app/components/indicators.spec.jsx": 1393,
+  "/static/app/views/organizationGroupDetails/quickTrace/index.spec.jsx": 2446,
+  "/static/app/views/organizationStats/teamInsights/health.spec.jsx": 4968,
+  "/static/app/views/settings/components/dataScrubbing/index.spec.tsx": 2236,
+  "/static/app/utils/profiling/flamegraphView.spec.tsx": 797,
+  "/static/app/components/forms/jsonForm.spec.tsx": 2504,
+  "/static/app/views/organizationIntegrations/integrationRepos.spec.jsx": 3706,
+  "/static/app/utils/profiling/renderers/gridRenderer.spec.tsx": 1006,
+  "/static/app/views/alerts/utils/utils.spec.tsx": 1392,
+  "/static/app/components/repositoryRow.spec.tsx": 1574,
+  "/static/app/views/releases/detail/overview/releaseIssues.spec.jsx": 2535,
+  "/static/app/components/forms/fields/accessibility.spec.tsx": 2903,
+  "/static/app/views/settings/account/notifications/utils.spec.tsx": 1293,
+  "/static/app/views/settings/components/dataScrubbing/modals/form/sourceField.spec.tsx": 2437,
+  "/static/app/components/charts/utils.spec.jsx": 841,
+  "/static/app/utils/profiling/profile/eventedProfile.spec.tsx": 804,
+  "/static/app/views/dashboardsV2/datasetConfig/releases.spec.jsx": 1851,
+  "/static/app/views/replays/detail/network/useNetworkFilters.spec.tsx": 2053,
+  "/static/app/components/search/index.spec.tsx": 4065,
+  "/static/app/views/settings/account/accountSecurity/accountSecurityDetails.spec.jsx": 4042,
+  "/static/app/views/releases/detail/overview/releaseComparisonChart/index.spec.tsx": 3535,
+  "/static/app/views/organizationStats/teamInsights/issues.spec.jsx": 3049,
+  "/static/app/views/organizationGroupDetails/actions/index.spec.tsx": 2643,
+  "/static/app/components/group/sentryAppExternalIssueActions.spec.jsx": 3796,
+  "/static/app/utils/replays/getReplayEvent.spec.tsx": 1146,
+  "/static/app/components/events/interfaces/breadcrumbs/breadcrumbs.spec.tsx": 5210,
+  "/static/app/utils/profiling/hooks/useVirtualizedTree/useVirtualizedTree.spec.tsx": 1510,
+  "/static/app/components/deprecatedDropdownMenu.spec.tsx": 1045,
+  "/static/app/components/group/externalIssueForm.spec.jsx": 1972,
+  "/static/app/views/dashboardsV2/widgetCard/transformSessionsResponseToTable.spec.tsx": 2782,
+  "/static/app/components/group/tagFacets.spec.tsx": 2293,
+  "/static/app/views/performance/transactionSummary/header.spec.tsx": 2109,
+  "/static/app/components/eventOrGroupHeader.spec.tsx": 2764,
+  "/static/app/views/settings/organizationMembers/inviteRequestRow.spec.jsx": 2606,
+  "/static/app/utils/profiling/profile/profile.spec.tsx": 674,
+  "/static/app/views/projectInstall/createProject.spec.jsx": 3836,
+  "/static/app/utils/profiling/filterFlamegraphTree.spec.tsx": 754,
+  "/static/app/views/organizationDetails/index.spec.jsx": 1469,
+  "/static/app/views/alerts/rules/issue/ticketRuleModal.spec.jsx": 4114,
+  "/static/app/components/events/interfaces/searchBarAction.spec.tsx": 2027,
+  "/static/app/utils/useApiRequests.spec.tsx": 1062,
+  "/static/app/views/dashboardsV2/widgetBuilder/buildSteps/visualizationStep.spec.tsx": 7020,
+  "/static/app/components/events/interfaces/crashContent/exception/mechanism.spec.tsx": 1882,
+  "/static/app/components/charts/eventsChart.spec.jsx": 2792,
+  "/static/app/actionCreators/group.spec.jsx": 1107,
+  "/static/app/components/events/eventExtraData/index.spec.tsx": 2734,
+  "/static/app/components/tabs/index.spec.tsx": 1442,
+  "/static/app/views/organizationIntegrations/integrationDetailedView.spec.jsx": 1895,
+  "/static/app/views/projectDetail/projectLatestAlerts.spec.jsx": 1750,
+  "/static/app/views/settings/project/server-side-sampling/modals/recommendedStepsModal.spec.tsx": 3012,
+  "/static/app/views/settings/organizationGeneralSettings/index.spec.jsx": 4242,
+  "/static/app/views/settings/project/projectKeys/details/index.spec.jsx": 2483,
+  "/static/app/views/settings/project/projectEnvironments.spec.jsx": 1385,
+  "/static/app/views/performance/transactionSummary/transactionOverview/content.spec.tsx": 4612,
+  "/static/app/views/performance/transactionDetails/quickTraceMeta.spec.jsx": 3531,
+  "/static/app/views/organizationIntegrations/integrationRow.spec.tsx": 2073,
+  "/static/app/components/performanceOnboarding/usePerformanceOnboardingDocs.spec.tsx": 1353,
+  "/static/app/views/performance/transactionSummary/transactionEvents/index.spec.tsx": 6415,
+  "/static/app/components/events/interfaces/frame/stacktraceLink.spec.jsx": 1417,
+  "/static/app/utils/useTeams.spec.tsx": 1040,
+  "/static/app/views/releases/detail/header/releaseActions.spec.jsx": 1552,
+  "/static/app/stores/projectsStore.spec.jsx": 807,
+  "/static/app/utils/replays/replayDataUtils.spec.tsx": 741,
+  "/static/app/components/dataExport.spec.jsx": 2051,
+  "/static/app/views/performance/transactionSummary/transactionVitals/utils.spec.jsx": 747,
+  "/static/app/utils/formatters.spec.tsx": 719,
+  "/static/app/utils/profiling/colors/utils.spec.tsx": 723,
+  "/static/app/components/group/suggestedOwners/suggestedOwners.spec.jsx": 1554,
+  "/static/app/views/organizationIntegrations/integrationCodeMappings.spec.jsx": 3935,
+  "/static/app/views/sentryAppExternalInstallation.spec.jsx": 2255,
+  "/static/app/components/actions/resolve.spec.jsx": 3233,
+  "/static/app/views/alerts/rules/issue/details/ruleDetails.spec.jsx": 4299,
+  "/static/app/components/events/eventCause.spec.jsx": 1727,
+  "/static/app/components/acl/access.spec.jsx": 1488,
+  "/static/app/views/replays/detail/domMutations/useDomFilters.spec.tsx": 1646,
+  "/static/app/utils/dashboards/issueFieldRenderers.spec.tsx": 1787,
+  "/static/app/utils/queryString.spec.tsx": 770,
+  "/static/app/components/modals/dashboardWidgetQuerySelectorModal.spec.tsx": 1450,
+  "/static/app/views/settings/project/dynamicSampling/dynamicSampling.spec.tsx": 3604,
+  "/static/app/actionCreators/organization.spec.jsx": 1319,
+  "/static/app/views/dashboardsV2/releasesSelectControl.spec.tsx": 4408,
+  "/static/app/components/integrationExternalMappings.spec.jsx": 2358,
+  "/static/app/components/events/eventTagsAndScreenshot/screenshot/modal.spec.tsx": 1792,
+  "/static/app/stores/pluginsStore.spec.jsx": 2063,
+  "/static/app/views/alerts/rules/issue/sentryAppRuleModal.spec.jsx": 5628,
+  "/static/app/utils/profiling/canvasScheduler.spec.tsx": 891,
+  "/static/app/views/settings/organizationTeams/teamProjects.spec.jsx": 1866,
+  "/static/app/components/dropdownAutoComplete/menu.spec.jsx": 1156,
+  "/static/app/components/modals/sentryAppDetailsModal.spec.tsx": 1241,
+  "/static/app/views/projects/projectContext.spec.jsx": 1147,
+  "/static/app/components/groupPreviewTooltip/stackTracePreview.spec.tsx": 3810,
+  "/static/app/components/events/eventReplay/replayContent.spec.tsx": 1681,
+  "/static/app/views/performance/transactionSummary/transactionThresholdModal.spec.jsx": 2147,
+  "/static/app/views/alerts/rules/metric/details/index.spec.tsx": 4242,
+  "/static/app/components/events/interfaces/crashContent/exception/content.spec.tsx": 2555,
+  "/static/app/components/charts/optionSelector.spec.tsx": 3248,
+  "/static/app/utils/profiling/hooks/useFunctions.spec.tsx": 999,
+  "/static/app/components/projectPageFilter.spec.tsx": 1781,
+  "/static/app/components/events/interfaces/crashContent/exception/stackTrace.spec.tsx": 1452,
+  "/static/app/actionCreators/release.spec.jsx": 698,
+  "/static/app/views/settings/project/projectOwnership/addCodeOwnerModal.spec.tsx": 3468,
+  "/static/app/components/groupPreviewTooltip/spanEvidencePreview.spec.tsx": 2149,
+  "/static/app/components/teamSelector.spec.jsx": 3367,
+  "/static/app/utils/profiling/profile/sampledProfile.spec.tsx": 752,
+  "/static/app/views/eventsV2/chartFooter.spec.tsx": 1996,
+  "/static/app/views/eventsV2/resultsChart.spec.tsx": 2136,
+  "/static/app/components/bulkController/index.spec.tsx": 1356,
+  "/static/app/components/compactSelect.spec.tsx": 2869,
+  "/static/app/views/dashboardsV2/layoutUtils.spec.tsx": 1916,
+  "/static/app/components/group/assignedTo.spec.tsx": 1584,
+  "/static/app/views/organizationStats/utils.spec.jsx": 711,
+  "/static/app/views/projectDetail/projectLatestReleases.spec.jsx": 1833,
+  "/static/app/views/releases/utils/index.spec.tsx": 1032,
+  "/static/app/views/userFeedback/index.spec.jsx": 3623,
+  "/static/app/views/organizationStats/usageChart/utils.spec.jsx": 802,
+  "/static/app/components/profiling/functionsTable.spec.tsx": 2663,
+  "/static/app/components/acl/role.spec.tsx": 1232,
+  "/static/app/views/settings/account/notifications/notificationSettings.spec.tsx": 3317,
+  "/static/app/components/events/interfaces/frame/line.spec.tsx": 1432,
+  "/static/app/stores/persistedStore.spec.tsx": 893,
+  "/static/app/views/projectsDashboard/projectCard.spec.jsx": 1594,
+  "/static/app/components/assistant/guideAnchor.spec.jsx": 1191,
+  "/static/app/components/asyncComponent.spec.jsx": 2145,
+  "/static/app/views/onboarding/createSampleEventButton.spec.jsx": 1049,
+  "/static/app/views/settings/projectSourceMaps/detail/index.spec.jsx": 3009,
+  "/static/app/views/performance/transactionSummary/transactionOverview/suspectSpans.spec.tsx": 1557,
+  "/static/app/utils/eventWaiter.spec.jsx": 1695,
+  "/static/app/views/eventsV2/miniGraph.spec.tsx": 1539,
+  "/static/app/utils/performance/quickTrace/quickTraceQuery.spec.jsx": 2318,
+  "/static/app/views/dataExport/dataDownload.spec.jsx": 1323,
+  "/static/app/components/events/interfaces/threads/index.spec.tsx": 1799,
+  "/static/app/utils/useHotkeys.spec.jsx": 838,
+  "/static/app/views/settings/project/projectOwnership/ruleBuilder.spec.jsx": 3569,
+  "/static/app/views/settings/project/server-side-sampling/utils/hasFirstBucketsEmpty.spec.tsx": 709,
+  "/static/app/views/projectDetail/projectIssues.spec.jsx": 2777,
+  "/static/app/views/projectInstall/issueAlertOptions.spec.jsx": 1916,
+  "/static/app/components/environmentPageFilter.spec.tsx": 2778,
+  "/static/app/components/events/interfaces/frame/contexts.spec.tsx": 2132,
+  "/static/app/stores/guideStore.spec.jsx": 2125,
+  "/static/app/views/alerts/rules/metric/incompatibleAlertQuery.spec.tsx": 1996,
+  "/static/app/views/settings/organizationSecurityAndPrivacy/index.spec.tsx": 3307,
+  "/static/app/components/events/eventCustomPerformanceMetrics.spec.tsx": 1689,
+  "/static/app/views/settings/organizationAuth/organizationAuthList.spec.jsx": 1541,
+  "/static/app/views/settings/organizationTeams/teamNotifications.spec.jsx": 1277,
+  "/static/app/views/dashboardsV2/widgetCard/issueWidgetQueries.spec.tsx": 2892,
+  "/static/app/components/modals/sudoModal.spec.jsx": 3398,
+  "/static/app/views/organizationStats/teamInsights/teamMisery.spec.jsx": 1875,
+  "/static/app/views/settings/account/notifications/notificationSettingsByType.spec.tsx": 2128,
+  "/static/app/components/modals/featureTourModal.spec.jsx": 2497,
+  "/static/app/views/replays/detail/console/messageFormatter.spec.tsx": 1586,
+  "/static/app/utils/replays/getCurrentUrl.spec.tsx": 1320,
+  "/static/app/components/charts/eventsGeoRequest.spec.tsx": 1845,
+  "/static/app/utils/profiling/jsSelfProfiling.spec.tsx": 725,
+  "/static/app/views/settings/project/projectOwnership/index.spec.jsx": 2354,
+  "/static/app/views/eventsV2/index.spec.jsx": 3425,
+  "/static/app/views/performance/transactionSummary/transactionSpans/opsFilter.spec.tsx": 2066,
+  "/static/app/views/performance/data.spec.jsx": 2098,
+  "/static/app/views/settings/components/settingsBreadcrumb/organizationCrumb.spec.jsx": 1727,
+  "/static/app/utils/dates.spec.tsx": 731,
+  "/static/app/views/performance/transactionSummary/transactionThresholdButton.spec.jsx": 2782,
+  "/static/app/views/performance/traceDetails/content.spec.tsx": 4170,
+  "/static/app/components/commitRow.spec.tsx": 1410,
+  "/static/app/utils/profiling/flamegraph/selectNearestFrame.spec.ts": 1069,
+  "/static/app/views/settings/account/passwordForm.spec.jsx": 3538,
+  "/static/app/utils/profiling/hooks/useVirtualizedTree/VirtualizedTree.spec.tsx": 687,
+  "/static/app/components/createAlertButton.spec.jsx": 2619,
+  "/static/app/components/confirm.spec.jsx": 1048,
+  "/static/app/views/onboarding/onboarding.spec.jsx": 3398,
+  "/static/app/components/lazyLoad.spec.tsx": 1074,
+  "/static/app/views/dashboardsV2/manage/index.spec.jsx": 3563,
+  "/static/app/views/settings/project/server-side-sampling/modals/specificConditionsModal/tagValueAutocomplete.spec.tsx": 1722,
+  "/static/app/views/settings/project/projectReleaseTracking.spec.jsx": 1611,
+  "/static/app/views/settings/organizationMembers/organizationMembersWrapper.spec.jsx": 2297,
+  "/static/app/views/settings/account/accountSecurity/components/twoFactorRequired.spec.jsx": 1704,
+  "/static/app/components/eventOrGroupExtraDetails.spec.jsx": 2067,
+  "/static/app/views/admin/adminSettings.spec.jsx": 1680,
+  "/static/app/views/settings/organizationGeneralSettings/organizationSettingsForm.spec.jsx": 2581,
+  "/static/app/views/alerts/wizard/utils.spec.tsx": 702,
+  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/default.spec.tsx": 1318,
+  "/static/app/utils/useProjects.spec.tsx": 938,
+  "/static/app/components/hovercard.spec.tsx": 1080,
+  "/static/app/components/activity/note/input.spec.jsx": 3904,
+  "/static/app/views/settings/projectPlugins/projectPluginDetails.spec.tsx": 1754,
+  "/static/app/utils/withPageFilters.spec.tsx": 1267,
+  "/static/app/utils/useMetricsContext.spec.tsx": 1255,
+  "/static/app/views/settings/components/dataScrubbing/modals/form/eventIdField.spec.tsx": 1502,
+  "/static/app/views/organizationGroupDetails/groupSimilarIssues/index.spec.tsx": 2436,
+  "/static/app/components/events/interfaces/keyValueList/index.spec.tsx": 2148,
+  "/static/app/components/modals/commandPalette.spec.tsx": 2486,
+  "/static/app/views/projectDetail/projectTeamAccess.spec.jsx": 2706,
+  "/static/app/views/settings/settingsIndex.spec.tsx": 2060,
+  "/static/app/views/organizationGroupDetails/groupEventDetails/index.spec.tsx": 1715,
+  "/static/app/components/stream/group.spec.jsx": 2120,
+  "/static/app/components/deprecatedforms/selectField.spec.jsx": 1526,
+  "/static/app/views/alerts/rules/metric/duplicate.spec.tsx": 3528,
+  "/static/app/actionCreators/navigation.spec.jsx": 2155,
+  "/static/app/components/letterAvatar.spec.tsx": 987,
+  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/exception.spec.tsx": 1307,
+  "/static/app/views/settings/projectPerformance/projectPerformance.spec.jsx": 3727,
+  "/static/app/components/eventOrGroupTitle.spec.tsx": 2676,
+  "/static/app/components/stream/processingIssueHint.spec.jsx": 1120,
+  "/static/app/views/settings/components/settingsSearch/index.spec.jsx": 1907,
+  "/static/app/components/group/externalIssueActions.spec.jsx": 1610,
+  "/static/app/components/arithmeticInput/parser.spec.tsx": 704,
+  "/static/app/views/settings/projectSecurityHeaders/csp.spec.tsx": 2970,
+  "/static/app/components/hook.spec.jsx": 889,
+  "/static/app/utils/performance/suspectSpans/suspectSpansQuery.spec.tsx": 1903,
+  "/static/app/components/tooltip.spec.tsx": 1648,
+  "/static/app/utils/displayReprocessEventAction.spec.tsx": 672,
+  "/static/app/views/dashboardsV2/create.spec.tsx": 2038,
+  "/static/app/views/organizationIntegrations/pluginDetailedView.spec.tsx": 3395,
+  "/static/app/views/settings/project/projectKeys/list/index.spec.jsx": 3475,
+  "/static/app/views/dashboardsV2/datasetConfig/errorsAndTransactions.spec.jsx": 2537,
+  "/static/app/utils/useCommitters.spec.tsx": 904,
+  "/static/app/components/events/contexts/utils.spec.tsx": 1377,
+  "/static/app/utils/profiling/flamegraphCanvas.spec.tsx": 782,
+  "/static/app/actionCreators/committers.spec.jsx": 683,
+  "/static/app/views/eventsV2/savedQuery/utils.spec.jsx": 1527,
+  "/static/app/components/events/interfaces/debugMeta/utils.spec.tsx": 982,
+  "/static/app/utils/requestError/sanitizePath.spec.tsx": 985,
+  "/static/app/utils/recreateRoute.spec.tsx": 965,
+  "/static/app/components/bulkController/bulkNotice.spec.jsx": 1546,
+  "/static/app/views/userFeedback/userFeedbackEmpty.spec.tsx": 1150,
+  "/static/app/components/charts/components/xAxis.spec.jsx": 771,
+  "/static/app/actionCreators/metrics.spec.tsx": 679,
+  "/static/app/components/events/interfaces/breadcrumbs/breadcrumb/data/http.spec.tsx": 1250,
+  "/static/app/stores/pageFiltersStore.spec.jsx": 738,
+  "/static/app/views/issueList/savedSearchTab.spec.jsx": 2929,
+  "/static/app/views/settings/organizationDeveloperSettings/permissionSelection.spec.jsx": 5460,
+  "/static/app/actionCreators/events.spec.jsx": 733,
+  "/static/app/components/events/interfaces/performance/spanEvidence.spec.tsx": 1814,
+  "/static/app/components/profiling/profilesTable.spec.tsx": 1416,
+  "/static/app/views/projectDetail/index.spec.tsx": 7931,
+  "/static/app/views/settings/account/apiApplications/index.spec.tsx": 1826,
+  "/static/app/components/actions/ignore.spec.jsx": 3078,
+  "/static/app/utils/useTimeout.spec.tsx": 1154,
+  "/static/app/components/forms/controls/rangeSlider/index.spec.tsx": 1779,
+  "/static/app/components/noProjectMessage.spec.tsx": 1115,
+  "/static/app/actionCreators/onboardingTasks.spec.jsx": 710,
+  "/static/app/components/eventsTable/eventsTableRow.spec.jsx": 987,
+  "/static/app/utils/withIssueTags.spec.tsx": 1014,
+  "/static/app/components/helpSearch.spec.jsx": 1650,
+  "/static/app/views/releases/detail/utils.spec.tsx": 765,
+  "/static/app/components/multiPlatformPicker.spec.jsx": 2574,
+  "/static/app/components/datePageFilter.spec.tsx": 1325,
+  "/static/app/utils/profiling/profile/utils.spec.tsx": 683,
+  "/static/app/components/projects/bookmarkStar.spec.tsx": 1078,
+  "/static/app/utils/formatters.spec.jsx": 711,
+  "/static/app/views/settings/organizationDeveloperSettings/resourceSubscriptions.spec.jsx": 1516,
+  "/static/app/views/performance/transactionDetails/index.spec.jsx": 6017,
+  "/static/app/components/modals/reprocessEventModal.spec.tsx": 2058,
+  "/static/app/views/performance/landing/utils.spec.tsx": 2889,
+  "/static/app/utils/profiling/differentialFlamegraph.spec.tsx": 1315,
+  "/static/app/views/eventsV2/tags.spec.jsx": 2368,
+  "/static/app/components/events/contexts/device/getDeviceKnownDataDetails.spec.tsx": 1733,
+  "/static/app/views/settings/projectSourceMaps/index.spec.jsx": 1588,
+  "/static/app/components/events/interfaces/frame/frameRegisters/index.spec.tsx": 1185,
+  "/static/app/views/settings/account/accountSecurity/accountSecurityEnroll.spec.jsx": 2745,
+  "/static/app/components/modals/recoveryOptionsModal.spec.jsx": 1109,
+  "/static/app/utils/withRelease.spec.jsx": 888,
+  "/static/app/components/events/interfaces/crashContent/stackTrace/rawContent.spec.jsx": 791,
+  "/static/app/views/settings/account/accountEmails.spec.jsx": 1830,
+  "/static/app/stores/teamStore.spec.jsx": 1431,
+  "/static/app/views/settings/projectPlugins/index.spec.jsx": 1488,
+  "/static/app/components/pullRequestLink.spec.jsx": 2171,
+  "/static/app/utils/useUrlParams.spec.tsx": 1223,
+  "/static/app/stores/serverSideSamplingStore.spec.tsx": 3077,
+  "/static/app/views/settings/projectSecurityAndPrivacy/index.spec.tsx": 2562,
+  "/static/app/views/settings/organizationTeams/teamSettings/index.spec.jsx": 2907,
+  "/static/app/components/events/interfaces/frame/stacktraceLinkModal.spec.tsx": 1428,
+  "/static/app/components/events/interfaces/frame/frameVariables.spec.tsx": 1160,
+  "/static/app/views/settings/organizationRateLimits/organizationRateLimits.spec.jsx": 1325,
+  "/static/app/utils/withRepositories.spec.tsx": 1124,
+  "/static/app/views/organizationJoinRequest.spec.jsx": 2082,
+  "/static/app/components/idBadge/memberBadge.spec.jsx": 961,
+  "/static/app/components/group/ownedBy.spec.tsx": 2172,
+  "/static/app/components/discover/quickContextCommitRow.spec.tsx": 1027,
+  "/static/app/views/performance/trends/utils.spec.tsx": 2155,
+  "/static/app/components/forms/fields/projectMapperField.spec.tsx": 1881,
+  "/static/app/components/dateTime.spec.jsx": 929,
+  "/static/app/views/organizationGroupDetails/groupEventAttachments/groupEventAttachments.spec.tsx": 2815,
+  "/static/app/components/avatar/actorAvatar.spec.tsx": 1487,
+  "/static/app/views/settings/project/projectOwnership/ownerInput.spec.jsx": 4813,
+  "/static/app/components/issueDiff/index.spec.jsx": 2174,
+  "/static/app/views/organizationIntegrations/integrationListDirectory.spec.jsx": 4707,
+  "/static/app/views/alerts/rules/metric/metricField.spec.jsx": 2665,
+  "/static/app/components/tag.spec.tsx": 2062,
+  "/static/app/views/organizationGroupDetails/groupMerged/index.spec.tsx": 2038,
+  "/static/app/components/forms/controls/radioGroup.spec.tsx": 1027,
+  "/static/app/views/settings/project/server-side-sampling/modals/specifyClientRateModal.spec.tsx": 2152,
+  "/static/app/components/platformPicker.spec.jsx": 1305,
+  "/static/app/actionCreators/repositories.spec.jsx": 1433,
+  "/static/app/components/globalSelectionLink.spec.tsx": 914,
+  "/static/app/components/events/interfaces/debugMeta/debugImageDetails/index.spec.tsx": 2672,
+  "/static/app/components/events/eventVitals.spec.jsx": 1059,
+  "/static/app/components/forms/fields/tableField.spec.tsx": 2502,
+  "/static/app/components/editableText.spec.tsx": 1431,
+  "/static/app/components/events/eventTags/index.spec.tsx": 1894,
+  "/static/app/views/settings/organizationDeveloperSettings/subscriptionBox.spec.jsx": 1573,
+  "/static/app/components/panels/panelTable.spec.jsx": 1007,
+  "/static/app/components/forms/formField/index.spec.tsx": 1122,
+  "/static/app/components/smartSearchBar/actions.spec.jsx": 1483,
+  "/static/app/views/settings/organizationProjects/index.spec.jsx": 2292,
+  "/static/app/utils/withExperiment.spec.jsx": 1038,
+  "/static/app/views/projectDetail/projectQuickLinks.spec.jsx": 3312,
+  "/static/app/components/modals/createSavedSearchModal.spec.jsx": 3264,
+  "/static/app/views/projectInstall/platform.spec.jsx": 1455,
+  "/static/app/views/admin/installWizard/index.spec.jsx": 1749,
+  "/static/app/components/confirmDelete.spec.jsx": 1198,
+  "/static/app/components/deprecatedforms/selectCreatableField.spec.tsx": 3361,
+  "/static/app/views/organizationGroupDetails/actions/shareModal.spec.tsx": 1694,
+  "/static/app/utils/profiling/renderers/positionIndicatorRenderer.spec.tsx": 1163,
+  "/static/app/components/events/interfaces/frame/openInContextLine.spec.tsx": 2031,
+  "/static/app/stores/tagStore.spec.jsx": 742,
+  "/static/app/components/globalModal/index.spec.jsx": 1530,
+  "/static/app/components/organizations/pageFilters/utils.spec.jsx": 713,
+  "/static/app/components/collapsible.spec.jsx": 914,
+  "/static/app/views/settings/projectTags.spec.jsx": 2707,
+  "/static/app/views/alerts/rules/metric/constants.spec.jsx": 1395,
+  "/static/app/views/replays/detail/tagPanel/index.spec.tsx": 2617,
+  "/static/app/components/breadcrumbs.spec.jsx": 1545,
+  "/static/app/views/admin/adminQueue.spec.jsx": 2007,
+  "/static/app/views/performance/transactionSummary/transactionAnomalies/index.spec.tsx": 5314,
+  "/static/app/views/settings/project/server-side-sampling/samplingFromOtherProject.spec.tsx": 2288,
+  "/static/app/views/settings/organizationAuditLog/auditLogView.spec.tsx": 2763,
+  "/static/app/views/settings/project/server-side-sampling/samplingSDKUpgradesAlert.spec.tsx": 2693,
+  "/static/app/utils/useCombinedReducer.spec.tsx": 898,
+  "/static/app/views/alerts/rules/metric/details/utils.spec.tsx": 707,
+  "/static/app/utils/replays/hooks/useReplayData.spec.jsx": 827,
+  "/static/app/views/settings/components/settingsBreadcrumb/breadcrumbTitle.spec.tsx": 1253,
+  "/static/app/components/idBadge/userBadge.spec.tsx": 895,
+  "/static/app/views/auth/loginForm.spec.jsx": 2458,
+  "/static/app/utils/metrics/transformMetricsResponseToTable.spec.tsx": 719,
+  "/static/app/views/settings/project/server-side-sampling/rule.spec.tsx": 2231,
+  "/static/app/components/events/contexts/device/index.spec.tsx": 1761,
+  "/static/app/components/events/interfaces/spans/utils.spec.tsx": 882,
+  "/static/app/components/featureFeedback/index.spec.tsx": 2070,
+  "/static/app/views/settings/account/accountClose.spec.jsx": 1514,
+  "/static/app/views/settings/organizationAuditLog/index.spec.tsx": 1418,
+  "/static/app/utils/retryableImport.spec.jsx": 1183,
+  "/static/app/components/events/contexts/user/index.spec.tsx": 2328,
+  "/static/app/views/auth/login.spec.jsx": 1509,
+  "/static/app/views/settings/projectDebugFiles/index.spec.tsx": 2036,
+  "/static/app/views/performance/landing/samplingModal.spec.tsx": 1544,
+  "/static/app/components/resolutionBox.spec.tsx": 1977,
+  "/static/app/components/search/sources/formSource.spec.jsx": 1249,
+  "/static/app/components/searchSyntax/parser.spec.tsx": 1873,
+  "/static/app/components/events/interfaces/spans/traceErrorList.spec.tsx": 1970,
+  "/static/app/components/errorRobot.spec.jsx": 1088,
+  "/static/app/views/settings/account/accountIdentities.spec.jsx": 1378,
+  "/static/app/components/dropdownAutoComplete/index.spec.jsx": 1002,
+  "/static/app/components/modals/widgetBuilder/overwriteWidgetModal.spec.tsx": 1026,
+  "/static/app/views/alerts/rules/metric/triggers/chart/index.spec.tsx": 2728,
+  "/static/app/components/charts/baseChart.spec.tsx": 1208,
+  "/static/app/views/settings/components/settingsLayout.spec.jsx": 2986,
+  "/static/app/utils/profiling/guards/profile.spec.tsx": 1021,
+  "/static/app/components/activity/note/inputWithStorage.spec.tsx": 2355,
+  "/static/app/api.spec.tsx": 1105,
+  "/static/app/views/organizationGroupDetails/groupTagValues.spec.jsx": 1735,
+  "/static/app/views/issueList/tagFilter.spec.tsx": 1494,
+  "/static/app/components/mutedBox.spec.jsx": 981,
+  "/static/app/components/avatarCropper.spec.tsx": 991,
+  "/static/app/views/auth/registerForm.spec.jsx": 2008,
+  "/static/app/utils/releases/releasesProvider.spec.tsx": 1142,
+  "/static/app/utils/performance/quickTrace/traceFullQuery.spec.jsx": 2374,
+  "/static/app/views/integrationPipeline/awsLambdaCloudformation.spec.jsx": 1783,
+  "/static/app/utils/marked.spec.tsx": 773,
+  "/static/app/components/events/contexts/state.spec.tsx": 1229,
+  "/static/app/components/events/contexts/gpu/index.spec.tsx": 2873,
+  "/static/app/utils/withTeamsForUser.spec.jsx": 1343,
+  "/static/app/components/tagsTable.spec.tsx": 2570,
+  "/static/app/utils/profiling/hooks/useVirtualizedTree/VirtualizedTreeNode.spec.tsx": 920,
+  "/static/app/components/customResolutionModal.spec.jsx": 1986,
+  "/static/app/views/app/index.spec.jsx": 2571,
+  "/static/app/utils/performance/histogram/histogramQuery.spec.jsx": 1422,
+  "/static/app/components/events/eventDataSection.spec.jsx": 1099,
+  "/static/app/utils/useCustomMeasurements.spec.tsx": 2301,
+  "/static/app/views/alerts/rules/metric/create.spec.jsx": 4678,
+  "/static/app/stores/alertStore.spec.jsx": 949,
+  "/static/app/components/modals/helpSearchModal.spec.tsx": 2859,
+  "/static/app/views/settings/components/settingsBreadcrumb/breadcrumbDropdown.spec.jsx": 1673,
+  "/static/app/components/events/errorItem.spec.tsx": 1756,
+  "/static/app/components/stream/processingIssueList.spec.jsx": 2685,
+  "/static/app/components/autoplayVideo.spec.tsx": 1251,
+  "/static/app/views/settings/project/server-side-sampling/utils/useRecommendedSdkUpgrades.spec.tsx": 2525,
+  "/static/app/components/charts/intervalSelector.spec.jsx": 1538,
+  "/static/app/views/organizationStats/teamInsights/teamUnresolvedIssues.spec.jsx": 1214,
+  "/static/app/views/settings/account/accountSettingsLayout.spec.jsx": 1775,
+  "/static/app/components/replays/replayTagsTableRow.spec.tsx": 1920,
+  "/static/app/views/dashboardsV2/view.spec.tsx": 2169,
+  "/static/app/components/avatar/avatarList.spec.tsx": 946,
+  "/static/app/components/events/contexts/app/index.spec.tsx": 2818,
+  "/static/app/views/dashboardsV2/datasetConfig/issues.spec.jsx": 2283,
+  "/static/app/views/settings/account/accountDetails.spec.jsx": 3112,
+  "/static/app/views/settings/organizationApiKeys/index.spec.jsx": 2759,
+  "/static/app/views/organizationCreate.spec.jsx": 2168,
+  "/static/app/views/auth/ssoForm.spec.jsx": 2918,
+  "/static/app/views/replays/utils.spec.tsx": 1076,
+  "/static/app/utils/useParams.spec.tsx": 1146,
+  "/static/app/views/settings/components/dataScrubbing/rules.spec.tsx": 2391,
+  "/static/app/components/modals/teamAccessRequestModal.spec.jsx": 1302,
+  "/static/app/actionCreators/projects.spec.tsx": 1023,
+  "/static/app/views/integrationOrganizationLink.spec.jsx": 2556,
+  "/static/app/views/organizationActivity/index.spec.jsx": 1975,
+  "/static/app/components/deprecatedforms/selectAsyncField.spec.tsx": 1472,
+  "/static/app/components/sidebar/sidebarDropdown/index.spec.jsx": 1211,
+  "/static/app/components/events/interfaces/message.spec.tsx": 1953,
+  "/static/app/components/group/inboxBadges/inboxReason.spec.jsx": 1188,
+  "/static/app/utils/useRoutes.spec.tsx": 838,
+  "/static/app/components/acl/featureDisabled.spec.jsx": 997,
+  "/static/app/utils/performance/quickTrace/traceMetaQuery.spec.jsx": 1411,
+  "/static/app/stores/organizationStore.spec.jsx": 1789,
+  "/static/app/views/settings/account/notifications/notificationSettingsByProjects.spec.tsx": 2212,
+  "/static/app/utils/profiling/hooks/useProfiles.spec.tsx": 2395,
+  "/static/app/components/radioGroupRating.spec.tsx": 1509,
+  "/static/app/views/settings/project/server-side-sampling/modals/affectOtherProjectsTransactionsAlert.spec.tsx": 3397,
+  "/static/app/views/settings/organizationTeams/teamDetails.spec.jsx": 1838,
+  "/static/app/components/hotkeysLabel.spec.jsx": 1259,
+  "/static/app/components/events/contexts/trace/index.spec.tsx": 2394,
+  "/static/app/utils/discover/arrayValue.spec.jsx": 2202,
+  "/static/app/components/charts/eventsAreaChart.spec.jsx": 1478,
+  "/static/app/views/organizationStats/teamInsights/index.spec.tsx": 1110,
+  "/static/app/components/eventsTable/eventsTable.spec.jsx": 1092,
+  "/static/app/views/settings/project/server-side-sampling/samplingBreakdown.spec.tsx": 2931,
+  "/static/app/views/settings/projectPlugins/projectPlugins.spec.tsx": 1606,
+  "/static/app/views/alerts/wizard/index.spec.tsx": 2993,
+  "/static/app/components/idBadge/index.spec.tsx": 1164,
+  "/static/app/components/events/contexts/operatingSystem/index.spec.tsx": 1659,
+  "/static/app/views/settings/projectPlugins/projectPluginRow.spec.jsx": 993,
+  "/static/app/components/group/releaseStats.spec.jsx": 2445,
+  "/static/app/utils/profiling/renderers/cursorRenderer.spec.tsx": 759,
+  "/static/app/views/performance/transactionSummary/transactionSpans/suspectSpansTable.spec.tsx": 1975,
+  "/static/app/views/organizationStats/teamInsights/teamStability.spec.jsx": 1507,
+  "/static/app/views/settings/account/apiTokens.spec.jsx": 1868,
+  "/static/app/views/alerts/rules/issue/details/textRule.spec.tsx": 1188,
+  "/static/app/components/modals/emailVerificationModal.spec.tsx": 1385,
+  "/static/app/components/events/contexts/browser/index.spec.tsx": 3171,
+  "/static/app/components/events/eventAttachments.spec.tsx": 2521,
+  "/static/app/views/alerts/incidentRedirect.spec.jsx": 1646,
+  "/static/app/components/version.spec.tsx": 1368,
+  "/static/app/utils/performance/quickTrace/traceLiteQuery.spec.jsx": 2280,
+  "/static/app/utils/handleXhrErrorResponse.spec.jsx": 679,
+  "/static/app/views/settings/organizationAuth/providerItem.spec.jsx": 1049,
+  "/static/app/components/modals/redirectToProject.spec.tsx": 888,
+  "/static/app/components/deprecatedforms/numberField.spec.tsx": 1148,
+  "/static/app/components/loading/loadingContainer.spec.tsx": 1722,
+  "/static/app/views/settings/projectAlerts/settings.spec.jsx": 1704,
+  "/static/app/utils/highlightFuseMatches.spec.jsx": 1754,
+  "/static/app/components/timeSince.spec.tsx": 1318,
+  "/static/app/views/organizationGroupDetails/groupTags.spec.jsx": 2463,
+  "/static/app/views/settings/organizationRepositories/organizationRepositories.spec.tsx": 1539,
+  "/static/app/stores/organizationEnvironmentsStore.spec.jsx": 671,
+  "/static/app/components/profiling/arrayLinks.spec.tsx": 927,
+  "/static/app/views/dashboardsV2/widgetBuilder/utils.spec.tsx": 1256,
+  "/static/app/views/settings/components/settingsBreadcrumb/findFirstRouteWithoutRouteParam.spec.jsx": 1081,
+  "/static/app/views/replays/detail/network/utils.spec.tsx": 1122,
+  "/static/app/components/deprecatedforms/genericField.spec.tsx": 1504,
+  "/static/app/views/organizationIntegrations/docIntegrationDetailedView.spec.jsx": 2235,
+  "/static/app/utils/crashReports.spec.tsx": 824,
+  "/static/app/views/dashboardsV2/widgetBuilder/buildSteps/filterResultsStep/releaseSearchBar.spec.tsx": 2324,
+  "/static/app/components/events/contexts/runtime/index.spec.tsx": 1724,
+  "/static/app/components/seenByList.spec.jsx": 1278,
+  "/static/app/utils/withSentryAppComponents.spec.jsx": 898,
+  "/static/app/components/performance/waterfall/utils.spec.jsx": 1113,
+  "/static/app/components/scoreBar.spec.tsx": 1355,
+  "/static/app/views/settings/project/server-side-sampling/samplingSDKClientRateChangeAlert.spec.tsx": 2953,
+  "/static/app/views/acceptProjectTransfer.spec.jsx": 1364,
+  "/static/app/views/projectDetail/projectScoreCards/projectApdexScoreCard.spec.jsx": 1430,
+  "/static/app/components/charts/baseChartHeightResize.spec.tsx": 876,
+  "/static/app/components/deployBadge.spec.tsx": 1644,
+  "/static/app/components/button.spec.tsx": 1039,
+  "/static/app/components/events/interfaces/debugMeta/index.spec.tsx": 1329,
+  "/static/app/views/settings/project/projectUserFeedback.spec.jsx": 2565,
+  "/static/app/views/alerts/rules/issue/setupAlertIntegrationButton.spec.jsx": 1005,
+  "/static/app/views/settings/account/accountSubscriptions.spec.jsx": 2345,
+  "/static/app/components/forms/controls/multipleCheckbox.spec.tsx": 948,
+  "/static/app/components/platformList.spec.jsx": 1197,
+  "/static/app/utils/profiling/units/versions.spec.tsx": 955,
+  "/static/app/components/highlight.spec.jsx": 842,
+  "/static/app/views/organizationStats/teamInsights/teamIssuesAge.spec.jsx": 1178,
+  "/static/app/views/sharedGroupDetails/index.spec.tsx": 3902,
+  "/static/app/views/settings/organizationDeveloperSettings/permissionsObserver.spec.jsx": 2632,
+  "/static/app/components/search/sources/routeSource.spec.jsx": 2181,
+  "/static/app/components/group/tagDistributionMeter.spec.jsx": 1546,
+  "/static/app/components/events/packageData.spec.tsx": 1732,
+  "/static/app/views/organizationStats/teamInsights/teamIssuesBreakdown.spec.jsx": 2917,
+  "/static/app/components/customCommitsResolutionModal.spec.jsx": 1847,
+  "/static/app/utils/parseHtmlMarks.spec.jsx": 976,
+  "/static/app/views/projectDetail/projectFilters.spec.jsx": 4407,
+  "/static/app/views/alerts/utils/getMetricRuleDiscoverUrl.spec.tsx": 2788,
+  "/static/app/components/modals/createTeamModal.spec.jsx": 1878,
+  "/static/app/components/events/interfaces/csp/index.spec.tsx": 1315,
+  "/static/app/views/alerts/list/header.spec.tsx": 1278,
+  "/static/app/components/checkboxFancy/checkboxFancy.spec.tsx": 929,
+  "/static/app/components/events/contexts/app/getAppKnownDataDetails.spec.tsx": 1695,
+  "/static/app/utils/withTags.spec.jsx": 1703,
+  "/static/app/views/settings/account/accountSecurity/sessionHistory/index.spec.jsx": 1771,
+  "/static/app/components/idBadge/teamBadge/index.spec.tsx": 1606,
+  "/static/app/utils/performance/suspectSpans/spanOpsQuery.spec.tsx": 2503,
+  "/static/app/components/userMisery.spec.tsx": 971,
+  "/static/app/utils/convertFromSelect2Choices.spec.tsx": 722,
+  "/static/app/components/errors/detailedError.spec.tsx": 1023,
+  "/static/app/utils/profiling/renderers/selectedFrameRenderer.spec.tsx": 772,
+  "/static/app/utils/useApi.spec.tsx": 899,
+  "/static/app/utils/routeAnalytics/useRouteAnalyticsHookSetup.spec.tsx": 2015,
+  "/static/app/utils/useMemoWithPrevious.spec.jsx": 1296,
+  "/static/app/utils/withApi.spec.tsx": 1155,
+  "/static/app/components/events/contexts/trace/getTraceKnownDataDetails.spec.tsx": 3453,
+  "/static/app/views/alerts/wizard/radioPanelGroup.spec.tsx": 1396,
+  "/static/app/views/organizationIntegrations/addIntegration.spec.jsx": 1297,
+  "/static/app/components/events/contexts/operatingSystem/getOperatingSystemKnownDataDetails.spec.tsx": 1636,
+  "/static/app/components/issueSyncListElement.spec.jsx": 1029,
+  "/static/app/components/events/contexts/user/getUserKnownDataDetails.spec.tsx": 1819,
+  "/static/app/views/onboarding/components/firstEventIndicator.spec.jsx": 1426,
+  "/static/app/components/organizations/timeRangeSelector/dateSummary.spec.tsx": 891,
+  "/static/app/components/events/contexts/gpu/getGPUKnownDataDetails.spec.tsx": 2506,
+  "/static/app/bootstrap/renderOnDomReady.spec.jsx": 745,
+  "/static/app/views/settings/projectDebugFiles/sources/builtInRepositories.spec.tsx": 1306,
+  "/static/app/utils/getPeriod.spec.tsx": 741,
+  "/static/app/components/events/eventSdk.spec.tsx": 1826,
+  "/static/app/views/settings/projectSecurityHeaders/hpkp.spec.jsx": 1453,
+  "/static/app/views/integrationPipeline/pipelineView.spec.jsx": 2723,
+  "/static/app/utils/replaceRouterParams.spec.tsx": 1008,
+  "/static/app/components/events/interfaces/generic.spec.tsx": 1662,
+  "/static/app/components/idBadge/baseBadge.spec.tsx": 1977,
+  "/static/app/utils/useLocation.spec.tsx": 818,
+  "/static/app/views/routeError.spec.tsx": 1000,
+  "/static/app/views/organizationIntegrations/addIntegrationButton.spec.tsx": 953,
+  "/tests/js/sentry-test/reactTestingLibrary.spec.tsx": 849,
+  "/static/app/components/events/contexts/runtime/getRuntimeKnownDataDetails.spec.tsx": 2568,
+  "/static/app/components/queryCount.spec.tsx": 1281,
+  "/static/app/components/profiling/breadcrumb.spec.tsx": 1710,
+  "/static/app/views/dashboardsV2/widgetBuilder/issueWidget/utils.spec.tsx": 1997,
+  "/static/app/components/modals/diffModal.spec.jsx": 1506,
+  "/static/app/components/deprecatedforms/booleanField.spec.jsx": 1413,
+  "/static/app/utils/teams.spec.tsx": 2166,
+  "/static/app/utils/routeAnalytics/withRouteAnalytics.spec.tsx": 1231,
+  "/static/app/utils/useNavigate.spec.tsx": 1210,
+  "/static/app/utils/discover/urls.spec.jsx": 1991,
+  "/static/app/views/settings/organizationRepositories/index.spec.jsx": 2179,
+  "/static/app/views/settings/account/notifications/notificationSettingsByOrganization.spec.tsx": 2240,
+  "/static/app/views/settings/projectSecurityHeaders/expectCt.spec.tsx": 1146,
+  "/static/app/components/group/suspectReleases.spec.jsx": 1089,
+  "/static/app/components/inactivePlugins.spec.jsx": 1021,
+  "/static/app/components/narrowLayout.spec.jsx": 1035,
+  "/static/app/utils/usePrevious.spec.tsx": 874,
+  "/static/app/utils/profiling/units/unit.spec.ts": 1271,
+  "/static/app/utils/withProjects.spec.jsx": 1145,
+  "/static/app/utils/trimSlug.spec.tsx": 654,
+  "/static/app/components/featureBadge.spec.tsx": 916,
+  "/static/app/components/clipboardTooltip.spec.tsx": 1114,
+  "/static/app/utils/performance/contexts/pageError.spec.jsx": 951,
+  "/static/app/views/settings/projectSecurityHeaders/index.spec.jsx": 2631,
+  "/static/app/views/settings/organizationApiKeys/organizationApiKeysList.spec.jsx": 1586,
+  "/static/app/views/integrationPipeline/awsLambdaProjectSelect.spec.jsx": 3250,
+  "/static/app/components/events/contexts/browser/getBrowserKnownDataDetails.spec.tsx": 2321,
+  "/static/app/bootstrap/processInitQueue.spec.jsx": 2802,
+  "/static/app/components/deprecatedforms/passwordField.spec.jsx": 1313,
+  "/static/app/components/deprecatedforms/emailField.spec.jsx": 1610,
+  "/static/app/components/group/minibarChart.spec.tsx": 1257,
+  "/static/app/views/organizationStats/teamInsights/teamAlertsTriggered.spec.jsx": 1641,
+  "/static/app/views/admin/adminQuotas.spec.jsx": 1974,
+  "/static/app/utils/getStacktraceBody.spec.jsx": 809,
+  "/static/app/views/settings/organizationApiKeys/organizationApiKeyDetails.spec.jsx": 1220,
+  "/static/app/plugins/components/pluginIcon.spec.jsx": 822,
+  "/static/app/utils/getDynamicText.spec.tsx": 647,
+  "/static/app/views/replays/detail/domMutations/utils.spec.tsx": 677,
+  "/static/app/components/similarScoreCard.spec.tsx": 802,
+  "/static/app/utils/getRouteStringFromRoutes.spec.jsx": 1687,
+  "/static/app/utils/routeAnalytics/useRouteAnalyticsParams.spec.tsx": 909,
+  "/static/app/views/integrationPipeline/awsLambdaFunctionSelect.spec.jsx": 1476,
+  "/static/app/utils/routeAnalytics/useDisableRouteAnalytics.spec.tsx": 1413,
+  "/static/app/components/keyValueTable.spec.tsx": 1251,
+  "/static/app/components/collapsePanel.spec.jsx": 2289,
+  "/static/app/utils/slugify.spec.tsx": 1047,
+  "/static/app/utils/getProjectsByTeams.spec.jsx": 1020,
+  "/static/app/components/progressBar.spec.tsx": 1636,
+  "/static/app/components/buttonBar.spec.tsx": 990,
+  "/static/app/components/forms/fields/sentryProjectSelectorField.spec.tsx": 1355,
+  "/static/app/views/organizationStats/teamInsights/teamResolutionTime.spec.jsx": 1042,
+  "/static/app/utils/consolidatedScopes.spec.tsx": 694,
+  "/static/app/utils/replaceAtArrayIndex.spec.tsx": 676,
+  "/static/app/components/events/interfaces/crashContent/index.spec.jsx": 1822,
+  "/static/app/components/alertBadge.spec.tsx": 1375,
+  "/static/app/components/deprecatedforms/textField.spec.jsx": 1352,
+  "/static/app/components/banner.spec.tsx": 1972,
+  "/static/app/components/alertLink.spec.tsx": 933,
+  "/static/app/components/notAvailable.spec.tsx": 974,
+  "/static/app/utils/removeAtArrayIndex.spec.tsx": 672,
+  "/static/app/views/projectInstall/newProject.spec.jsx": 1580,
+  "/static/app/stores/configStore.spec.tsx": 1508,
+  "/static/app/components/splitDiff.spec.tsx": 1142,
+  "/static/app/views/settings/account/apiTokenRow.spec.tsx": 1094,
+  "/static/app/utils/useTags.spec.tsx": 1722,
+  "/static/app/views/settings/account/accountAuthorizations.spec.jsx": 1823,
+  "/static/app/components/deviceName.spec.tsx": 1231,
+  "/static/app/components/events/sdkUpdates/index.spec.jsx": 2430,
+  "/static/app/stores/useLegacyStore.spec.tsx": 1318,
+  "/static/app/components/idBadge/projectBadge.spec.tsx": 2016,
+  "/static/app/locale.spec.tsx": 872,
+  "/static/app/utils/withConfig.spec.jsx": 855,
+  "/static/app/utils/profiling/frame.spec.tsx": 715,
+  "/static/app/components/contextData/index.spec.tsx": 1014,
+  "/static/app/components/modals/suggestProjectModal.spec.tsx": 1265,
+  "/static/app/views/alerts/index.spec.jsx": 840,
+  "/static/app/views/admin/adminBuffer.spec.jsx": 2196,
+  "/static/app/utils/sanitizeQuerySelector.spec.jsx": 691,
+  "/static/app/views/organizationRoot.spec.jsx": 842,
+  "/static/app/components/idBadge/organizationBadge.spec.tsx": 1178,
+  "/static/app/components/toolbarHeader.spec.jsx": 982,
+  "/static/app/utils/findClosestNumber.spec.tsx": 653,
+  "/static/app/utils/replays/flattenListOfObjects.spec.tsx": 668,
+  "/static/app/utils/profiling/weightedNode.spec.tsx": 698,
+  "/static/app/views/issueList/noGroupsHandler/noUnresolvedIssues.spec.jsx": 927,
+  "/static/app/components/circleIndicator.spec.tsx": 1283,
+  "/static/app/components/forms/returnButton.spec.tsx": 1358,
+  "/static/app/views/settings/project/server-side-sampling/utils/projectStatsToSampleRates.spec.tsx": 1028,
+  "/static/app/components/deprecatedforms/form.spec.jsx": 2048,
+  "/static/app/utils/profiling/formatters/stackMarkerToHumanReadable.spec.tsx": 1116,
+  "/static/app/components/textCopyInput.spec.jsx": 1360,
+  "/static/app/utils/getDaysSinceDate.spec.tsx": 1016,
+  "/static/app/components/checkbox.spec.tsx": 1347,
+  "/static/app/views/settings/account/apiNewToken.spec.jsx": 1203,
+  "/static/app/components/links/externalLink.spec.tsx": 862,
+  "/static/app/components/similarSpectrum.spec.tsx": 834,
+  "/static/app/components/commandLine.spec.tsx": 862,
+  "/static/app/components/pageHeading.spec.jsx": 817
+}