presidium 3.0.2 → 3.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (26) hide show
  1. package/GoogleChromeDevTools.js +40 -3
  2. package/README.md +40 -14
  3. package/internal/Archive.js +3 -9
  4. package/internal/Archive.test.js +9 -2
  5. package/internal/GoogleChromeForTesting.js +12 -4
  6. package/internal/tmp/chrome/BrowserMetrics/BrowserMetrics-6997A286-BC0E.pma +0 -0
  7. package/internal/tmp/chrome/BrowserMetrics/BrowserMetrics-6997A287-BC46.pma +0 -0
  8. package/internal/tmp/chrome/BrowserMetrics/BrowserMetrics-6997A7D0-C1E4.pma +0 -0
  9. package/internal/tmp/chrome/BrowserMetrics/BrowserMetrics-6997A7D1-C1FE.pma +0 -0
  10. package/internal/tmp/chrome/ChromeFeatureState +1 -1
  11. package/internal/tmp/chrome/Default/Extension Rules/000003.log +0 -0
  12. package/internal/tmp/chrome/Default/Extension Rules/LOG +3 -3
  13. package/internal/tmp/chrome/Default/Extension Rules/LOG.old +3 -3
  14. package/internal/tmp/chrome/Default/Extension Scripts/000003.log +0 -0
  15. package/internal/tmp/chrome/Default/Extension Scripts/LOG +3 -3
  16. package/internal/tmp/chrome/Default/Extension Scripts/LOG.old +3 -3
  17. package/internal/tmp/chrome/Default/Site Characteristics Database/LOG +3 -3
  18. package/internal/tmp/chrome/Default/Site Characteristics Database/LOG.old +3 -3
  19. package/internal/tmp/chrome/Default/Sync Data/LevelDB/LOG +3 -3
  20. package/internal/tmp/chrome/Default/Sync Data/LevelDB/LOG.old +3 -3
  21. package/internal/tmp/chrome/Default/power_bookmarks/PowerBookmarks.db +0 -0
  22. package/internal/tmp/chrome/ShaderCache/index +0 -0
  23. package/internal/tmp/chrome/Variations +1 -1
  24. package/package.json +2 -2
  25. package/internal/tmp.js +0 -38
  26. /package/internal/tmp/chrome/Default/Local Storage/leveldb/{LOG → LOG.old} +0 -0
@@ -743,11 +743,22 @@ class GoogleChromeDevToolsRuntime {
743
743
  *
744
744
  * @docs
745
745
  * ```coffeescript [specscript]
746
- * new GoogleChromeDevTools(url string) -> googleChromeDevTools GoogleChromeDevTools
746
+ * new GoogleChromeDevTools(options {
747
+ * chromeVersion: 'stable'|'beta'|'dev'|'canary'|string,
748
+ * headless: boolean,
749
+ * }) -> googleChromeDevTools GoogleChromeDevTools
747
750
  * ```
748
751
  *
749
752
  * Presidium GoogleChromeDevTools client for test automation.
750
753
  *
754
+ * Arguments:
755
+ * * `options`
756
+ * * `chromeVersion` - the version of Google Chrome for Testing to download.
757
+ * * `headless` - whether to run Google Chrome for Testing in headless mode.
758
+ *
759
+ * Returns:
760
+ * * `googleChromeDevTools` - an instance of the `GoogleChromeDevTools` client.
761
+ *
751
762
  * ```javascript
752
763
  * const googleChromeDevTools = new GoogleChromeDevTools()
753
764
  * await googleChromeDevTools.init()
@@ -788,7 +799,7 @@ class GoogleChromeDevToolsRuntime {
788
799
  *
789
800
  * The Chrome DevTools Protocol has various APIs to interact with the different parts of the browser. These parts are separated into different domains. The Presidium GoogleChromeDevTools client covers the `Target`, `Page`, `DOM`, `Input`, `Storage`, and `Runtime` domains. Pages, serviceworkers, and extensions are called "Targets" and can be fetched and tracked using the `Target` domain.
790
801
  *
791
- * Every Chrome DevTools Protocol client needs to first attach to the target using the `Target.attachToTarget` command. The command will establish a protocol session with the given target and return a `sessionId`. The returned `sessionId` should be included in every message to the DevTools server.
802
+ * Every Chrome DevTools Protocol client needs to first attach to the target using the `Target.attachToTarget` command. The command will establish a protocol session with the given target and return a `sessionId`. The returned `sessionId` should be set on the `GoogleChromeDevTools` client using [`setSessionId`](#setSessionId) or included in every message to the DevTools server.
792
803
  *
793
804
  * ```javascript
794
805
  * const googleChromeDevTools = new GoogleChromeDevTools()
@@ -812,15 +823,26 @@ class GoogleChromeDevToolsRuntime {
812
823
  * })
813
824
  * ```
814
825
  *
826
+ * Install dependencies for Amazon Linux 2023:
827
+ * ```sh
828
+ * sudo dnf install -y cairo pango nss nspr atk at-spi2-atk cups-libs libdrm libxkbcommon libXcomposite libXdamage libXfixes libXrandr mesa-libgbm alsa-lib
829
+ * ```
830
+ *
831
+ * Supported platforms:
832
+ * * `mac-arm64`
833
+ * * `linux64`
834
+ *
815
835
  * References:
816
836
  * * [Getting Started with the Chrome Devtools Protocol](https://github.com/aslushnikov/getting-started-with-cdp/blob/master/README.md)
817
837
  * * [Chrome Devtools Protocol](https://chromedevtools.github.io/devtools-protocol/)
838
+ *
818
839
  */
819
840
  class GoogleChromeDevTools extends EventEmitter {
820
841
  constructor(options = {}) {
821
842
  super()
822
843
 
823
844
  this.chromeVersion = options.chromeVersion ?? 'stable'
845
+ this.headless = options.headless ?? false
824
846
  }
825
847
 
826
848
  /**
@@ -828,7 +850,21 @@ class GoogleChromeDevTools extends EventEmitter {
828
850
  *
829
851
  * @docs
830
852
  * ```coffeescript [specscript]
831
- * init() -> Promise<>
853
+ * init() -> promise Promise<>
854
+ * ```
855
+ *
856
+ * Initializes the `GoogleChromeDevTools` client.
857
+ *
858
+ * Arguments:
859
+ * * (none)
860
+ *
861
+ * Returns:
862
+ * * `promise` - a promise that resolves when the initialization process is done.
863
+ *
864
+ * ```javascript
865
+ * const googleChromeDevTools = new GoogleChromeDevTools()
866
+ *
867
+ * await googleChromeDevTools.init()
832
868
  * ```
833
869
  */
834
870
  async init() {
@@ -836,6 +872,7 @@ class GoogleChromeDevTools extends EventEmitter {
836
872
  chromeVersion: this.chromeVersion,
837
873
  userDataDir: `${__dirname}/tmp/chrome`,
838
874
  useMockKeychain: true,
875
+ headless: this.headless,
839
876
  })
840
877
  await googleChromeForTesting.init()
841
878
  this.googleChromeForTesting = googleChromeForTesting
package/README.md CHANGED
@@ -28,7 +28,7 @@ const WebSocket = require('presidium/WebSocket')
28
28
  const Readable = require('presidium/Readable')
29
29
  ```
30
30
 
31
- ## Handle HTTP
31
+ ## [Handle HTTP](https://presidium.services/docs/HTTP)
32
32
  ```javascript
33
33
  const HTTP = require('presidium/HTTP')
34
34
 
@@ -47,7 +47,7 @@ http.get('/')
47
47
  .then(console.log) // { greeting: 'Hello World' }
48
48
  ```
49
49
 
50
- ## Handle WebSocket
50
+ ## [Send messages with WebSocket](https://presidium.services/docs/WebSocket)
51
51
  ```javascript
52
52
  const WebSocket = require('presidium/WebSocket')
53
53
 
@@ -71,7 +71,7 @@ websocket.on('message', message => {
71
71
  })
72
72
  ```
73
73
 
74
- ## CRUD and Query DynamoDB
74
+ ## [Create, read, update, delete, and query with AWS DynamoDB](https://presidium.services/docs/DynamoDBTable)
75
75
  ```javascript
76
76
  const DynamoDBTable = require('presidium/DynamoDBTable')
77
77
  const DynamoDBGlobalSecondaryIndex = require('presidium/DynamoDBGlobalSecondaryIndex')
@@ -175,7 +175,7 @@ await myTable.putItemJSON({ id: '3', name: 'Jane', age: 33, type: 'person' })
175
175
  }
176
176
  ```
177
177
 
178
- ## Consume DynamoDB Streams
178
+ ## [Consume AWS DynamoDB Streams](https://presidium.services/docs/DynamoDBStream)
179
179
  ```javascript
180
180
  const DynamoDBTable = require('presidium/DynamoDBTable')
181
181
  const DynamoDBStream = require('presidium/DynamoDBStream')
@@ -219,7 +219,7 @@ for await (const record of myStreamJSON) {
219
219
  }
220
220
  ```
221
221
 
222
- ## Upload to S3
222
+ ## [Download and upload with AWS S3](https://presidium.services/docs/S3Bucket)
223
223
  ```javascript
224
224
  const S3Bucket = require('presidium/S3Bucket')
225
225
  const AwsCredentials = require('presidium/AwsCredentials')
@@ -245,8 +245,7 @@ await myBucket.deleteAllObjects()
245
245
  await myBucket.delete()
246
246
  ```
247
247
 
248
- ## Build and Push Docker Images
249
- > No more --build-arg for npm tokens!
248
+ ## [Build and push Docker images](https://presidium.services/docs/Docker)
250
249
  ```javascript
251
250
  const Docker = require('presidium/Docker')
252
251
  const NpmToken = require('presidium/NpmToken')
@@ -276,16 +275,18 @@ CMD ["npm", "start"]
276
275
  })
277
276
 
278
277
  buildStream.pipe(process.stdout)
279
- await new Promise(resolve => buildStream.on('end', resolve))
280
278
 
281
- const pushStream = await docker.pushImage({
282
- image: myImage,
283
- repository: 'my-registry.io',
279
+ buildStream.on('end', () => {
280
+ const pushStream = await docker.pushImage({
281
+ image: myImage,
282
+ repository: 'my-registry.io',
283
+ })
284
+ pushStream.pipe(process.stdout)
284
285
  })
285
- pushStream.pipe(process.stdout)
286
+
286
287
  ```
287
288
 
288
- ## Run Docker Containers
289
+ ## [Run Docker containers](https://presidium.services/docs/Docker)
289
290
  ```javascript
290
291
  const Docker = require('presidium/Docker')
291
292
 
@@ -301,7 +302,7 @@ const runStream = await docker.runContainer({
301
302
  runStream.pipe(process.stdout) // Example
302
303
  ```
303
304
 
304
- ## Deploy Docker Swarm Services
305
+ ## [Deploy Docker Swarm services](https://presidium.services/docs/Docker)
305
306
  ```javascript
306
307
  const Docker = require('presidium/Docker')
307
308
 
@@ -320,5 +321,30 @@ await docker.createService({
320
321
  // new nginx service is deploying to the docker swarm
321
322
  ```
322
323
 
324
+ ## [Automate tests with Google Chrome for Testing](https://presidium.services/docs/GoogleChromeDevTools)
325
+ ```javascript
326
+ const GoogleChromeDevTools = require('presidium/GoogleChromeDevTools')
327
+
328
+ const googleChromeDevTools = new GoogleChromeDevTools()
329
+ await googleChromeDevTools.init() // downloads Google Chrome for Testing
330
+
331
+ // get targets
332
+ const targetsData = await googleChromeDevTools.Target.getTargets()
333
+ const pageTarget = targetsData.result.targetInfos.find(info => info.type == 'page')
334
+
335
+ // attach to target
336
+ const attachToTargetData = await googleChromeDevTools.Target.attachToTarget({
337
+ targetId: this.pageTarget.targetId,
338
+ flatten: true,
339
+ })
340
+ const sessionId = attachToTargetData.result.sessionId
341
+
342
+ // navigate to the home page
343
+ const data = await googleChromeDevTools.Page.navigate({
344
+ sessionId: this.sessionId,
345
+ url: `http://localhost:3000/`,
346
+ })
347
+ ```
348
+
323
349
  # Support
324
350
  * minimum Node.js version: 16
@@ -1,13 +1,7 @@
1
1
  require('rubico/global')
2
2
  const tarStream = require('tar-stream')
3
- const fs = require('fs/promises')
3
+ const fs = require('fs')
4
4
  const walk = require('./walk')
5
- const pipe = require('rubico/pipe')
6
- const tap = require('rubico/tap')
7
- const get = require('rubico/get')
8
- const reduce = require('rubico/reduce')
9
- const thunkify = require('rubico/thunkify')
10
- const pick = require('rubico/pick')
11
5
 
12
6
  /**
13
7
  * @name Archive
@@ -54,10 +48,10 @@ Archive.tar = function tar(path, options) {
54
48
  pack.entry({
55
49
  name: filepath.replace(pathWithSlash, ''),
56
50
  ...pipe([
57
- fs.stat,
51
+ fs.promises.stat,
58
52
  pick(['size', 'mode', 'mtime', 'uid', 'gid']),
59
53
  ])(filepath),
60
- }, await fs.readFile(filepath))
54
+ }, await fs.promises.readFile(filepath))
61
55
  return pack
62
56
  }, pack),
63
57
 
@@ -29,11 +29,18 @@ const test = new Test('Archive', async function integration() {
29
29
  const base = {
30
30
  Dockerfile: 'FROM node:15-alpine'
31
31
  }
32
- const ignore = ['fixtures']
32
+ const ignore = ['fixtures', 'tmp', 'google-chrome-for-testing']
33
33
  const pack = await Archive.tar(__dirname, { ignore, base })
34
34
  const extracted = await Archive.untar(pack)
35
35
  const dir = await fs.readdir(__dirname)
36
- .then(filter(n => !ignore.includes(n)))
36
+ .then(filter(filepath => {
37
+ for (const part of ignore) {
38
+ if (filepath.includes(part)) {
39
+ return false
40
+ }
41
+ }
42
+ return true
43
+ }))
37
44
  const extractedKeys = [...extracted.keys()]
38
45
  assert.equal(extracted.size, dir.length + 1) // extra Dockerfile
39
46
  assert(extracted.has('Dockerfile'))
@@ -23,7 +23,7 @@ function updateConsoleLog(message) {
23
23
  process.stdout.write(message);
24
24
  }
25
25
 
26
- async function getChromeUrl() {
26
+ function getPlatform() {
27
27
  let platform = os.platform()
28
28
  if (platform == 'darwin') {
29
29
  platform = 'mac'
@@ -36,6 +36,12 @@ async function getChromeUrl() {
36
36
  platform = `${platform}${arch.slice(1)}`
37
37
  }
38
38
 
39
+ return platform
40
+ }
41
+
42
+ async function getChromeUrl() {
43
+ const platform = getPlatform()
44
+
39
45
  let url
40
46
  if (['stable', 'beta', 'dev', 'canary'].includes(this.chromeVersion)) {
41
47
  const chromeVersions = await getChromeVersions()
@@ -95,15 +101,18 @@ async function installChrome() {
95
101
  }
96
102
 
97
103
  async function getChromeFilepath() {
104
+ const platform = getPlatform()
98
105
  const url = await getChromeUrl.call(this)
99
106
  const filepath = `${this.chromeDir}/${url.replace('https://storage.googleapis.com/chrome-for-testing-public/', '')}`
100
107
  const parentDir = `${filepath.split('/').slice(0, -1).join('/')}`
101
108
 
102
- const googleChromeForTestingFilepath = `${parentDir}`
103
109
  try {
104
110
  for await (const filepath of walk(parentDir)) {
105
111
  console.log(filepath)
106
- if (filepath.endsWith('Google Chrome for Testing')) {
112
+ if (platform.startsWith('mac') && filepath.endsWith('Google Chrome for Testing')) {
113
+ return filepath
114
+ }
115
+ if (platform.startsWith('linux') && filepath.endsWith('chrome')) {
107
116
  return filepath
108
117
  }
109
118
  }
@@ -157,7 +166,6 @@ class GoogleChromeForTesting {
157
166
  */
158
167
  async init() {
159
168
  const chromeFilepath = await getChromeFilepath.call(this)
160
- console.log('spawn', chromeFilepath)
161
169
 
162
170
  const cmd = spawn(chromeFilepath, [
163
171
  `--remote-debugging-port=${this.remoteDebuggingPort}`,
@@ -1 +1 @@
1
- {"disable-features":"AVFoundationCaptureForwardSampleTimestamps\u003CAVFoundationCaptureForwardSampleTimestamps,AccessibilityPerformanceMeasurementExperiment\u003CAccessibilityPerformanceMeasurementExperiment,AutocompleteDictionaryPreload\u003CCompressionDictionaryPreload,AutofillAddressSurvey\u003CAutofillSurveys,AutofillPasswordSurvey\u003CAutofillSurveys,BackForwardCacheNonStickyDoubleFix\u003CBackForwardCacheNonStickyDoubleFix,BreakoutBoxConversionWithoutSinkSignal\u003CWebrtcEncodeReadbackOptimization,CompressionDictionaryTransportRequireKnownRootCert\u003CCompressionDictionaryTransportRequireKnownRootCert,DsePreload2\u003CHttpCacheNoVarySearch,GlicEntrypointVariations\u003CGlicEntrypointVariations,HeapProfilerReporting\u003CHeapProfilerBloomFilter,InhibitSQLPreloadOnFixedSSD\u003CInhibitSQLPreload,InitialWebUI\u003CWebUIReloadButtonStudy,LegacyKeyRepeatSynthesis\u003CLegacyKeyRepeatSynthesis,LensAimSuggestionsGradientBackground\u003CChromnientReinvocationAffordance,MediaFoundationD3DVideoProcessing\u003CWebrtcEncodeReadbackOptimization,MediaFoundationSharedImageEncode\u003CWebrtcEncodeReadbackOptimization,MemoryCacheChangeStrongReferencePruneDelay\u003CPerfCombined2025,NonStandardAppearanceValueSliderVertical\u003CNonStandardAppearanceValueSliderVertical,NtpCustomizeChromeAutoOpen\u003CNtpCustomizeChromeAutoOpen,NtpShoppingTasksModule\u003CDesktopNtpModules,NtpWallpaperSearchButtonAnimation\u003CChromeWallpaperSearchLaunch,OpenAllProfilesFromProfilePickerExperiment\u003CProfileExperimentsM1UsabilityHypothesis,PartitionAllocSortActiveSlotSpans\u003CPartitionAllocMemoryReclaimer,PassageEmbedder\u003CPassageEmbeddingsPerformance,PerformanceControlsBatteryPerformanceSurvey\u003CPerformanceControlsHatsStudy,PerformanceControlsBatterySaverOptOutSurvey\u003CPerformanceControlsHatsStudy,PerformanceControlsPerformanceSurvey\u003CPerformanceControlsHatsStudy,PolicyBlocklistProceedUntilResponse\u003CPolicyBlocklistProceedUntilResponse,PrefetchPrerenderIntegration\u003CHttpCacheNoVarySearch,PreloadedDictionaryConditionalUse\u003CCompressionDictionaryPreload,ProcessPerSiteForDSE\u003CKeepDefaultSearchEngineAlive,ProcessPerSiteUpToMainFrameThreshold\u003CKeepDefaultSearchEngineAlive,ProfileCreationDeclineSigninCTAExperiment\u003CProfileCreationDeclineSigninCTAExperiment,ProfileCreationFrictionReductionExperimentPrefillNameRequirement\u003CProfileExperimentsM1FrictionReduction,ProfileCreationFrictionReductionExperimentRemoveSigninStep\u003CProfileExperimentsM1FrictionReduction,ProfileCreationFrictionReductionExperimentSkipCustomizeProfile\u003CProfileExperimentsM1FrictionReduction,ProfilePickerTextVariations\u003CProfileExperimentsM0,ReduceSubresourceResponseStartedIPC\u003CReduceIPCCombined,ReportUkm\u003CRemoveGraphicsUKMs,ScreenAIPartitionAllocAdvancedChecksEnabled\u003CPartitionAllocWithAdvancedChecks,ServiceWorkerBackgroundUpdateForFindRegistrationForClientUrl\u003CServiceWorkerBackgroundUpdate,ServiceWorkerBackgroundUpdateForServiceWorkerScopeCache\u003CServiceWorkerBackgroundUpdate,ShowProfilePickerToAllUsersExperiment\u003CProfileExperimentsM0,SideSearch\u003CSidePanelCompanionDesktopM116Plus,SigninPromoLimitsExperiment\u003CSigninPromoLimitsExperiment,TabGroupsCollapseFreezing\u003CTabGroupsCollapseFreezing,TreesInViz\u003CTreesInViz,UrgentPageDiscarding\u003CDisableUrgentPageDiscarding,UseLockFreeBloomFilter\u003CHeapProfilerBloomFilter,V8Flag_scavenger_updates_allocation_limit\u003CV8DisableScavengerUpdatesAllocationLimit,V8SingleThreadedGCInBackgroundNoIncrementalMarking\u003CV8SingleThreadedGCInBackgroundVariants,V8SingleThreadedGCInBackgroundParallelPause\u003CV8SingleThreadedGCInBackgroundVariants,V8SlowHistograms\u003CV8SlowHistograms,WallpaperSearchSettingsVisibility\u003CChromeWallpaperSearchGlobal,WebAppsEnableMLModelForPromotion\u003CDesktopPWAInstallPromotionML,WebUIReloadButton\u003CWebUIReloadButtonStudy,WidevinePersistentLicenseSupport\u003CWidevinePersistentLicenseSupport,XSLT\u003CXSLTSpecialTrial,kNtpTabGroupsModule\u003CDesktopNtpModulesTabGroups,kNtpTabGroupsModuleZeroState\u003CDesktopNtpModulesTabGroups","enable-features":"ANGLEPerContextBlobCache\u003CANGLEPerContextBlobCache,AXRandomizedStressTests\u003CAXRandomizedStressTests,AXTreeFixing\u003CAXTreeFixing,AbslFlatMapInVariantMap\u003CPerfCombined2025,AccessibilityBlockFlowIterator\u003CAXBlockFlowIterator,AccessibilitySerializationSizeMetrics\u003CAccessibilitySerializationSizeMetrics,AdditionalDelayMainJob\u003CIncreaseHttp3Usage,AggressiveShaderCacheLimits\u003CAggressiveShaderCacheLimits,AiModeOmniboxEntryPoint\u003CAIMHintText,AlignPdfDefaultPrintSettingsWithHTML\u003CAlignPdfDefaultPrintSettingsWithHTML,AllowChangingSelectedContent\u003CAllowChangingSelectedContent,AllowDatapipeDrainedAsBytesConsumerInBFCache\u003CAllowDatapipeDrainedAsBytesConsumerInBFCache,AllowURNsInIframes\u003CPrivacySandboxAdsAPIs,AnimationForDesktopCapturePermissionChecker\u003CAnimationForDesktopCapturePermissionChecker,AnnotatedPageContentExtraction\u003CAnnotatedPageContentExtraction,AnnotatedPageContentWithMediaData\u003CGlicMediaData,AsyncQuicSession\u003CAsyncQuicSession,AsyncSetCookie\u003CPerfCombined2025,AsyncTouchMovesImmediatelyAfterScroll\u003CAsyncTouchMovesImmediatelyAfterScroll,AudioDecoderAudioFileReader\u003CAudioDecoderAudioFileReader,AudioInputConfirmReadsViaShmem\u003CAudioInputConfirmReadsViaShmem,AutoDisableAccessibility\u003CAutoDisableAccessibility,AutoSpeculationRules\u003CAutoSpeculationRules,AutofillAddressSuggestionsOnTyping\u003CAutofillAddressSuggestionsOnTyping,AutofillAddressUserPerceptionSurvey\u003CAutofillAddressUserPerceptionSurveyUS,AutofillAiDedupeEntities\u003CAutofillAiM3PublicPasses,AutofillAiVoteForFormatStringsForFlightNumbers\u003CAutofillAiM3PublicPasses,AutofillAiWalletFlightReservation\u003CAutofillAiM3PublicPasses,AutofillAiWalletVehicleRegistration\u003CAutofillAiM3PublicPasses,AutofillAllowFillingModifiedInitialValues\u003CAutofillAllowFillingModifiedInitialValues,AutofillBetterLocalHeuristicPlaceholderSupport\u003CAutofillBetterLocalHeuristicPlaceholderSupport,AutofillCardSurvey\u003CAutofillSurveys,AutofillCreditCardUserPerceptionSurvey\u003CAutofillCreditCardUserPerceptionSurvey,AutofillDisallowMoreHyphenLikeLabels\u003CAutofillSupportSplitZipCode,AutofillEnableAmountExtractionDesktop\u003CAutofillEnableBuyNowPayLaterDesktop,AutofillEnableBuyNowPayLater\u003CAutofillEnableBuyNowPayLaterDesktop,AutofillEnableBuyNowPayLaterForExternallyLinked\u003CAutofillEnableBuyNowPayLaterForExternallyLinked,AutofillEnableBuyNowPayLaterForKlarna\u003CAutofillEnableBuyNowPayLaterForKlarna,AutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString\u003CAutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString,AutofillEnableExpirationDateImprovements\u003CAutofillEnableExpirationDateImprovements,AutofillEnableFillingPhoneCountryCodesByAddressCountryCodes\u003CAutofillEnableFillingPhoneCountryCodesByAddressCountryCodes,AutofillEnableFpanRiskBasedAuthentication\u003CAutofillEnableFpanRiskBasedAuthentication,AutofillEnableLabelPrecedenceForTurkishAddresses\u003CAutofillEnableLabelPrecedenceForTurkishAddresses,AutofillEnableSaveAndFill\u003CAutofillEnableSaveAndFill,AutofillEnableSupportForHomeAndWork\u003CAutofillEnableSupportForHomeAndWork,AutofillEnableSupportForNameAndEmail\u003CAutofillEnableSupportForNameAndEmail,AutofillEnableSupportForParsingWithSharedLabels\u003CAutofillEnableSupportForParsingWithSharedLabels,AutofillExtendZipCodeValidation\u003CAutofillExtendZipCodeValidation,AutofillFixCivilStateMisclassificationForESPT\u003CAutofillFixCivilStateMisclassificationForESPT,AutofillFixFormEquality\u003CAutofillFixFormEquality,AutofillFixFormTracking\u003CAutofillImproveSubmissionDetectionV3,AutofillFixRewriterRules\u003CAutofillFixRewriterRules,AutofillFixStateCountryMisclassification\u003CAutofillFixStateCountryMisclassification,AutofillIgnoreCheckableElements\u003CAutofillIgnoreCheckableElements,AutofillImproveAddressFieldSwapping\u003CAutofillImproveAddressFieldSwapping,AutofillImprovedLabels\u003CAutofillImprovedLabels,AutofillModelPredictions\u003CAutofillModelPredictions,AutofillMoveSmallFormLogicToClient\u003CAutofillMoveSmallFormLogicToClient,AutofillOptimizeCacheUpdates\u003CAutofillOptimizeCacheUpdates,AutofillPageLanguageDetection\u003CAutofillPageLanguageDetection,AutofillPasswordUserPerceptionSurvey\u003CAutofillPasswordUserPerceptionSurvey,AutofillPaymentsFieldSwapping\u003CAutofillPaymentsFieldSwapping,AutofillPopupDontAcceptNonVisibleEnoughSuggestion\u003CAutofillPopupDontAcceptNonVisibleEnoughSuggestion,AutofillPreferBuyNowPayLaterBlocklists\u003CAutofillPreferBuyNowPayLaterBlocklists,AutofillPrioritizeSaveCardOverMandatoryReauth\u003CAutofillPrioritizeSaveCardOverMandatoryReauth,AutofillReintroduceHybridPasskeyDropdownItem\u003CAutofillReintroduceHybridPasskeyDropdownItem,AutofillReplaceCachedWebElementsByRendererIds\u003CAutofillImproveSubmissionDetectionV3,AutofillServerExperimentalSignatures\u003CAutofillServerExperimentalSignatures,AutofillSharedStorageServerCardData\u003CAutofillSharedStorageServerCardData,AutofillShowBubblesBasedOnPriorities\u003CAutofillShowBubblesBasedOnPriorities,AutofillStructuredFieldsDisableAddressLines\u003CAutofillStructuredFieldsDisableAddressLines,AutofillSupportLastNamePrefix\u003CAutofillSupportLastNamePrefix,AutofillSupportPhoneticNameForJP\u003CAutofillSupportPhoneticNameForJP,AutofillSupportSplitZipCode\u003CAutofillSupportSplitZipCode,AutofillUKMExperimentalFields\u003CAutofillUKMExperimentalFields,AutofillUnmaskCardRequestTimeout\u003CAutofillUnmaskCardRequestTimeout,AutofillUpstream\u003CAutofillUpstream,AutofillUseINAddressModel\u003CAutofillI18nINAddressModel,AutofillUseNegativePatternForAllAttributes\u003CAutofillSupportLastNamePrefix,AutofillVcnEnrollStrikeExpiryTime\u003CAutofillVcnEnrollStrikeExpiryTime,AvoidCloneArgsOnExtensionFunctionDispatch\u003CPerfCombined2025,AvoidDuplicateDelayBeginFrame\u003CAvoidDuplicateDelayBeginFrame,AvoidEntryCreationForNoStore\u003CAvoidEntryCreationForNoStore,AvoidForcedLayoutOnInvisibleDocumentClose\u003CAvoidForcedLayoutOnInvisibleDocumentClose,AvoidTrustedParamsCopies\u003CAvoidTrustedParamsCopies,AvoidUnnecessaryBeforeUnloadCheckSync\u003CServiceWorkerBackgroundUpdate,AvoidUnnecessaryForcedLayoutMeasurements\u003CAvoidUnnecessaryForcedLayoutMeasurements,AvoidUnnecessaryGetMinimizeButtonOffset\u003CPerfCombined2025,AvoidUnnecessaryShouldRenderRichAnimation\u003CPerfCombined2025,BFCacheWithSharedWorker\u003CBackForwardCacheWithSharedWorker,BackForwardCacheSendNotRestoredReasons\u003CBackForwardCacheNotRestoredReasons,BackgroundResourceFetch\u003CBackgroundResourceFetch,BatterySaverModeAlignWakeUps\u003CBatterySaverModeAlignWakeUps,BeaconLeakageLogging\u003CBeaconLeakageLogging,BlinkLifecycleScriptForbidden\u003CBlinkLifecycleScriptForbidden,BookmarkTabGroupConversion\u003CTabGroupInteractionsDesktop,BookmarkTriggerForPrefetch\u003CPrefetchBookmarkBarTrigger,BookmarksImportOnFirstRun\u003CBookmarksImportOnFirstRun,BookmarksTreeView\u003CBookmarksTreeView,BookmarksUseBinaryTreeInTitledUrlIndex\u003CBookmarksUseBinaryTreeInTitledUrlIndex,BoostClosingTabs\u003CBoostClosingTabs,BoundaryEventDispatchTracksNodeRemoval\u003CBoundaryEventDispatchTracksNodeRemoval,BrowserInitiatedAutomaticPictureInPicture\u003CBrowserInitiatedAutomaticPictureInPicture,BrowserSignalsReportingEnabled\u003CBrowserSignalsReportingEnabled,BrowserThreadPoolAdjustment\u003CBrowserThreadPoolAdjustmentForDesktop,BrowsingHistoryActorIntegrationM2\u003CBrowsingHistoryActorIntegrationM2,BrowsingHistoryActorIntegrationM3\u003CBrowsingHistoryActorIntegrationM3,BrowsingTopics\u003CPrivacySandboxAdsAPIs,BubbleMetricsApi\u003CBubbleMetricsApi,CADisplayLinkInBrowser\u003CCADisplayLinkInBrowser,CSSReadingFlow\u003CCSSReadingFlow,CacheSharingForPervasiveScripts\u003CCacheSharingForPervasiveScripts,CancelPendingCallbacksBeforeFetchRestart\u003CServiceWorkerSubresourceCancelPendingCallbacksBeforeFetchRestart,Canvas2DAutoFlushParams\u003CCanvas2DAutoFlushParams,Canvas2DHibernation\u003CCanvasHibernationExperiments,Canvas2DHibernationNoSmallCanvas\u003CCanvas2DHibernationNoSmallCanvas,Canvas2DHibernationReleaseTransferMemory\u003CCanvasHibernationExperiments,Canvas2DReclaimUnusedResources\u003CCanvas2DReclaimUnusedResources,CanvasHibernationSnapshotZstd\u003CCanvasHibernationExperiments,CanvasTextNg\u003CCanvasTextNg,CastStreamingHardwareHevc\u003CCastStreamingHardwareHevc,CastStreamingMediaVideoEncoder\u003CCastStreamingMediaVideoEncoder,ChangeGeneratedCodeCacheSize\u003CChangeGeneratedCodeCacheSize,ChromeWebStoreNavigationThrottle\u003CChromeWebStoreNavigationThrottle,ChromeWideEchoCancellation\u003CChromeWideEchoCancellation,ClearCanvasResourcesInBackground\u003CCanvasHibernationExperiments,ClearCountryPrefForStoredUnknownCountry\u003CSearchEngineChoiceClearInvalidPref,ClearGrShaderDiskCacheOnInvalidPrefix\u003CClearGrShaderDiskCacheOnInvalidPrefix,ClientSideDetectionClipboardCopyApi\u003CClientSideDetectionClipboardCopyApi,ClientSideDetectionCreditCardForm\u003CClientSideDetectionCreditCardForm,ClientSideDetectionRetryLimit\u003CClientSideDetectionRetryLimit,ClientSideDetectionSamplePing\u003CClientSideDetectionSamplePing,ClientSideDetectionSendLlamaForcedTriggerInfo\u003CClientSideDetectionSendLlamaForcedTriggerInfo,ClientSideDetectionSkipErrorPage\u003CClientSideDetectionSkipErrorPage,CloneDevToolsConnectionOnlyIfRequested\u003CCloneDevToolsConnectionOnlyIfRequested,CoalesceSelectionchangeEvent\u003CCoalesceSelectionchangeEvent,CommerceLocalPDPDetection\u003CCommerceLocalPDPDetection,CompareConfirmationToast\u003CCompare,CompensateGestureDetectorTimeouts\u003CCompensateGestureDetectorTimeouts,Compose\u003CChromeCompose,ComposeAXSnapshot\u003CComposeAXSnapshot,ComposeProactiveNudge\u003CComposeProactiveNudgePosition,ComposeboxUsesChromeComposeClient\u003CNtpComposeboxDesktop,CompositeClipPathAnimation\u003CCompositeClipPathAnimation,CompressParkableStrings\u003CPerfCombined2025,CompressionDictionaryTTL\u003CCompressionDictionaryTTL,ConditionalImageResize\u003CConditionalImageResize,ConfigurableV8CodeCacheHotHours\u003CConfigurableV8CodeCacheHotHours,ConfigureQuicHints\u003CIncreaseHttp3Usage,ConnectionKeepAliveForHttp2\u003CConnectionKeepAliveForHttp2,ContentVerifierCacheIncludesExtensionRoot\u003CContentVerifierCacheIncludesExtensionRoot,ContentVerifyJobUseJobVersionForHashing\u003CContentVerifyJobUseJobVersionForHashing,ContextualTasks\u003CContextualTasksDesktop,ContextualTasksContext\u003CContextualTasksContext,ContextualTasksContextLogging\u003CContextualTasksContext,ContextualTasksContextMqlsLogging\u003CContextualTasksContext,CookieSameSiteConsidersRedirectChain\u003CCookieSameSiteConsidersRedirectChainDesktop,CreateNewTabGroupAppMenuTopLevel\u003CTabGroupInteractionsDesktop,CreateURLLoaderPipeAsync\u003CCreateURLLoaderPipeAsync,CustomizableSelect\u003CCustomizableSelect,CustomizeChromeSidePanelExtensionsCard\u003CCustomizeChromeSidePanelExtensionsCard,CustomizeChromeWallpaperSearch\u003CChromeWallpaperSearchGlobal,CustomizeChromeWallpaperSearchButton\u003CChromeWallpaperSearchLaunch,CustomizeChromeWallpaperSearchInspirationCard\u003CChromeWallpaperSearchGlobal,DTCKeyRotationUploadedBySharedAPIEnabled\u003CDTCKeyRotationUploadedBySharedAPIEnabled,DataSharingJoinOnly\u003CSharedTabGroups,DecommitPooledPages\u003CDecommitPooledPages,DedicatedWorkerAblationStudyEnabled\u003CPlzDedicatedWorker,DefaultBrowserFramework\u003CDefaultBrowserFramework,DefaultSiteInstanceGroups\u003CDefaultSiteInstanceGroups,DeferSpeculativeRFHCreation\u003CDeferSpeculativeRFHCreation,DelayLayerTreeViewDeletionOnLocalSwap\u003CRenderDocumentWithNavigationQueueing,DelayRfhDestructionsOnUnloadAndDetach\u003CDelayRfhDestructionsOnUnloadAndDetach,DeprecateUnload\u003CDeprecateUnload,DeprecateUnloadByAllowList\u003CDeprecateUnload,DesktopCapturePermissionCheckerPreMacos14_4\u003CDesktopCapturePermissionCheckerPreMacos14_4,DesktopMediaPickerCheckAudioPermissions\u003CDesktopMediaPickerCheckAudioPermissions,DesktopScreenshots\u003CSharingHubDesktopScreenshots,DevToolsAiPromptApi\u003CDevToolsConsoleInsightsTeasers,DisablePartialStorageCleanupForGPUDiskCache\u003CDisablePartialStorageCleanupForGPUDiskCache,DiscardInputEventsToRecentlyMovedFrames\u003CDiscardInputEventsToRecentlyMovedFrames,DiscountDialogAutoPopupBehaviorSetting\u003CDiscountAutoPopup,DiskCacheBackendExperiment\u003CDiskCacheBackendExperiment,DlpRegionalizedEndpoints\u003CDlpRegionalizedEndpoints,DlpScanPastedImages\u003CWebProtectDlpScanPastedImages,DoNotEvictOnAXLocationChange\u003CDoNotEvictOnAXLocationChange,DohProviderQuad9Secure\u003CDnsOverHttpsQuad9Secure,DownloadWarningSurvey\u003CDownloadWarningSurvey,DrawQuadSplitLimit\u003COcclusionCullingQuadSplitLimit,DwaFeature\u003CDwaFeature,DynamicProfileCountry\u003CDynamicProfileCountry,EnableAsyncUploadAfterVerdict\u003CEnableAsyncUploadAfterVerdict,EnableBestEffortTaskInhibitingPolicy\u003CEnableBestEffortTaskInhibitingPolicy,EnableComposeNudgeAtCursor\u003CComposeProactiveNudgePosition,EnableDiscountInfoApi\u003CEnableDiscountOnShoppyPagesDesktop,EnableDrDc\u003CEnableDrDc,EnableForceDownloadToCloud\u003CEnableForceDownloadToCloud,EnableHangWatcher\u003CEnableHangWatcher,EnableHangWatcherOnGpuProcess\u003CEnableHangWatcherOnGpuProcess,EnableICloudKeychainRecoveryFactor\u003CMacICloudKeychainRecoveryFactor,EnableLazyLoadImageForInvisiblePage\u003CEnableLazyLoadImageForInvisiblePage,EnableManagementPromotionBanner\u003CEnableManagementPromotionBanner,EnableNewUploadSizeLimit\u003CEnableNewUploadSizeLimit,EnableNtpBrowserPromos\u003CNtpBrowserPromos,EnableOopPrintDrivers\u003COutOfProcessPrintDriversPrint,EnablePolicyPromotionBanner\u003CEnablePolicyPromotionBanner,EnablePrintWatermark\u003CEnablePrintWatermark,EnableShouldShowPromotion\u003CEnableShouldShowPromotion,EnableSinglePageAppDataProtection\u003CEnableSinglePageAppDataProtection,EnableTLS13EarlyData\u003CEnableTLS13EarlyData,EnableUrlRestriction\u003CSavedTabGroupUrlRestriction,EnableWatermarkCustomization\u003CEnableWatermarkCustomization,EnableWatermarkTestPage\u003CEnableWatermarkTestPage,EnhancedFieldsForSecOps\u003CEnhancedFieldsForSecOps,EnhancedSecurityEventFields\u003CEnhancedFieldsForSecOps,EnterpriseActiveUserDetection\u003CEnterpriseActiveUserDetection,EnterpriseBadgingForNtpFooter\u003CEnterpriseBadgingForNtpFooter,EnterpriseFileObfuscation\u003CEnterpriseFileObfuscation,EnterpriseFileObfuscationArchiveAnalyzer\u003CEnterpriseFileObfuscationArchiveAnalyzer,EnterpriseFileSystemAccessDeepScan\u003CEnterpriseFileSystemAccessDeepScan,EnterpriseIframeDlpRulesSupport\u003CEnterpriseIframeDlpRulesSupport,EventTimingIgnorePresentationTimeFromUnexpectedFrameSource\u003CEventTimingIgnorePresentationTimeFromUnexpectedFrameSource,EvictionUnlocksResources\u003CCanvasHibernationExperiments,ExtendQuicHandshakeTimeout\u003CIncreaseHttp3Usage,ExtensionManifestV2Unsupported\u003CExtensionManifestV2Deprecation,ExtensionsMenuAccessControl\u003CExtensionsToolbarAndMenuRedesign,ExtremeLightweightUAFDetector\u003CExtremeLightweightUAFDetector,FastPathNoRaster\u003CPerfCombined2025,FencedFrames\u003CPrivacySandboxAdsAPIs,FencedFramesAPIChanges\u003CPrivacySandboxAdsAPIs,FencedFramesAutomaticBeaconCredentials\u003CFencedFramesEnableCredentialsForAutomaticBeacons,FencedFramesReportEventHeaderChanges\u003CFencedFramesEnableReportEventHeaderChanges,FencedFramesSrcPermissionsPolicy\u003CFencedFramesEnableSrcPermissionsPolicy,FetchLaterAPI\u003CFetchLaterAPI,FledgeBiddingAndAuctionServer\u003CFLEDGEBiddingAndAuctionServer,FlushPersistentSystemProfileOnWrite\u003CFlushPersistentSystemProfileOnWrite,ForcedDiceMigration\u003CUnoPhase2Desktop,FrameRoutingCache\u003CFrameRoutingCache,GCMUseDedicatedNetworkThread\u003CGCMUseDedicatedNetworkThread,GCOnArrayBufferAllocationFailure\u003CPerfCombined2025,Glic\u003CGlicDogfood,GlicActOnWebCapabilityForManagedTrials\u003CGlicActOnWebCapabilityForManagedTrials,GlicActor\u003CGlicActorRolloutControl,GlicActorUi\u003CGlicActorRolloutControl,GlicActorUiTabIndicatorSpinnerIgnoreReducedMotion\u003CGlicActorUiTabIndicatorSpinnerIgnoreReducedMotion,GlicButtonAltLabel\u003CGlicButtonAltLabel,GlicClientResponsivenessCheck\u003CGlicClientResponsivenessCheckExtension,GlicClosedCaptioning\u003CGlicClosedCaptioning,GlicDaisyChainNewTabs\u003CGlicEnableMultiInstanceBasedOnTier,GlicDefaultTabContextSetting\u003CGlicEnableMultiInstanceBasedOnTier,GlicEnableMultiInstanceBasedOnTier\u003CGlicEnableMultiInstanceBasedOnTier,GlicExtensions\u003CGlic1PTools,GlicForceNonSkSLBorder\u003CGlicForceNonSkSLBorder,GlicForceSimplifiedBorder\u003CGlicForceSimplifiedBorder,GlicFreWarming\u003CGlicFreWarming,GlicGeminiInstructions\u003CGlicGeminiInstructions,GlicHandoffButtonHiddenClientControl\u003CGlicHandoffButtonHiddenClientControl,GlicIntro\u003CGlicGA,GlicLearnMore\u003CGlicGA,GlicMultiInstance\u003CGlicEnableMultiInstanceBasedOnTier,GlicMultiTab\u003CGlicEnableMultiInstanceBasedOnTier,GlicMultitabUnderlines\u003CGlicEnableMultiInstanceBasedOnTier,GlicPanelResetSizeAndLocationOnOpen\u003CGlicResetPanelSizeAndLocationOnOpen,GlicPersonalContext\u003CGlicPersonalContext,GlicRollout\u003CGlicGA,GlicShareImage\u003CGlicShareImage,GlicTieredRollout\u003CGlicTieredRollout,GlicUserStatusCheck\u003CGlicUserStatusCheckDogfood,GlicWarming\u003CGlicWarming,GlicZeroStateSuggestions\u003CGlicZeroStateSuggestionsDogfood,GpuYieldRasterization\u003CGpuYieldRasterization,GrCacheLimitsFeature\u003CGrCacheLimits,HandleNonDamagingInputsInScrollJankV4Metric\u003CHandleNonDamagingInputsInScrollJankV4Metric,HangoutsExtensionV3\u003CHangoutsExtensionV3,HappinessTrackingSurveysForComposeAcceptance\u003CComposeAcceptanceSurvey,HappinessTrackingSurveysForComposeClose\u003CComposeCloseSurvey,HappinessTrackingSurveysForDesktopNextPanel\u003CContextualTasksDesktop,HappinessTrackingSurveysForDesktopSettings\u003CSettingSearchExplorationHaTS,HappinessTrackingSurveysForDesktopWhatsNew\u003CWhatsNewHats,HappinessTrackingSurveysForHistoryEmbeddings\u003CHappinessTrackingSurveysForHistoryEmbeddings,HappinessTrackingSurveysForSecurityPage\u003CSecurityPageHats,HappinessTrackingSurveysForWallpaperSearch\u003CChromeWallpaperSearchHaTS,HappyEyeballsV3\u003CHappyEyeballsV3,HeadlessLiveCaption\u003CGlicMediaData,HideDelegatedFrameHostMac\u003CHideDelegatedFrameHostMac,HistoryEmbeddings\u003CHistoryEmbeddingsV2Images,HistoryQueryOnlyLocalFirst\u003CHistoryQueryOnlyLocalFirst,Http2Grease\u003CHTTP2,HttpCacheInitializeDiskCacheBackendEarly\u003CHttpCacheInitializeDiskCacheBackendEarly,HttpCacheNoVarySearch\u003CHttpCacheNoVarySearch,HttpDiskCachePrewarming\u003CHttpDiskCachePrewarming,HttpsFirstBalancedModeAutoEnable\u003CHttpsFirstBalancedModeAutoEnable,HttpsFirstModeV2ForTypicallySecureUsers\u003CHttpsFirstModeV2ForTypicallySecureUsers,IPH_AutofillAccountNameEmailSuggestion\u003CAutofillEnableSupportForNameAndEmail,IPH_AutofillAiValuables\u003CAutofillAiM3PublicPasses,IPH_AutofillHomeWorkProfileSuggestion\u003CAutofillEnableSupportForHomeAndWork,IPH_BackNavigationMenu\u003CBackNavigationMenuIPH,IPH_DesktopRealboxContextualSearchFeature\u003CNtpRealboxNextDesktop,IPH_DesktopSharedHighlighting\u003CSharedHighlightingIphDesktop,IPH_ExtensionsZeroStatePromo\u003CExtensionsZeroStatePromo,IPH_PasswordsSavePrimingPromo\u003CThreeButtonPasswordSaveDialog,IPH_PasswordsSaveRecoveryPromo\u003CThreeButtonPasswordSaveDialog,IPH_PlusAddressCreateSuggestion\u003CPlusAddressesExperiment,IPH_PriceInsightsPageActionIconLabelFeature\u003CPriceInsightsDesktopExpansionStudy,IPH_PriceTrackingPageActionIconLabelFeature\u003CPriceTrackingPageActionIconLabelFeatureIPH,IPH_ReadingModeSidePanel\u003CReadAnythingIPHRollout,IPH_SidePanelGenericPinnableFeature\u003CSidePanelPinningWithResponsiveToolbar,IPH_SideSearch\u003CSideSearchInProductHelp,IPH_SignInBenefits\u003CUnoPhase2Desktop,IPH_TabAudioMuting\u003CTabAudioMuting,IPH_TabSearch\u003CTabSearchInProductHelp,IdbSqliteBackingStoreInMemoryContexts\u003CIdbSqliteBackingStoreInMemoryContexts,IgnoreDiscardAttemptMarker\u003CIgnoreDiscardAttemptMarker,IgnoreDuplicateNavs\u003CIgnoreDuplicateNavs,IgnoreDuplicateNavsOnlyWithUserGesture\u003CIgnoreDuplicateNavsOnlyWithUserGesture,ImageDescriptionsAlternateRouting\u003CImageDescriptionsAlternateRouting,ImmersiveReadAnything\u003CImmersiveReadAnything,IncreasedCmdBufferParseSlice\u003CIncreasedCmdBufferParseSlice,InfobarPrioritization\u003CInfoBarPrioritizationAndUIRefresh,InfobarRefresh\u003CInfoBarPrioritizationAndUIRefresh,InhibitSQLPreload\u003CInhibitSQLPreload,InhibitSQLReleaseCacheMemoryIfNeeded\u003CInhibitSQLReleaseCacheMemoryIfNeeded,InlineFullscreenPerfExperiment\u003CInlineFullscreenPerfExperiment,InputClosesSelect\u003CCustomizableSelect,InterestGroupStorage\u003CPrivacySandboxAdsAPIs,IsolateFencedFrames\u003CProcessIsolationForFencedFrames,IsolatesPriorityUseProcessPriority\u003CIsolatesPriorityUseProcessPriority,JobPriorityBoosting\u003CJobPriorityBoosting,Journeys\u003CGroupedHistoryAllLocales,JourneysOmniboxHistoryClusterProvider\u003CDesktopOmniboxShortcutBoost,KAnonymityService\u003CPrivacySandboxAdsAPIs,KeepDefaultSearchEngineRendererAlive\u003CKeepDefaultSearchEngineAlive,KeyboardLockPrompt\u003CKeyboardLockPrompt,KillSpareRenderOnMemoryPressure\u003CMultipleSpareRPHs,LCPCriticalPathPredictor\u003CLCPPImageLoadingPriority,LCPPAutoPreconnectLcpOrigin\u003CFenderAutoPreconnectLcpOrigins,LCPPDeferUnusedPreload\u003CLCPPDeferUnusedPreload,LCPPFontURLPredictor\u003CLCPPFontURLPredictor,LCPPLazyLoadImagePreload\u003CLCPPLazyLoadImagePreload,LCPPPrefetchSubresource\u003CLCPPPrefetchSubresource,LCPTimingPredictorPrerender2\u003CLCPTimingPredictorPrerender2,LazyBlinkTimezoneInit\u003CLazyBlinkTimezoneInit,LazyBrowserInterfaceBroker\u003CLoadAllTabsAtStartup,LazyUpdateTranslateModel\u003CLazyUpdateTranslateModel,LensAimSuggestions\u003CChromnientReinvocationAffordance,LensImageFormatOptimizations\u003CGoogleLensDesktopImageFormatOptimizations,LensOverlayContextualSearchbox\u003CContextualSearchBox,LensOverlayEduActionChip\u003CChromnientEduActionChipV2,LensOverlayEntrypointLabelAlt\u003CChromnientEntrypointLabelAlt,LensOverlayNonBlockingPrivacyNotice\u003CChromnientNonBlockingPrivacyNotice,LensOverlaySidePanelOpenInNewTab\u003CChromnientSidePanelOpenInNewTab,LensOverlayStraightToSrp\u003CChromnientStraightToSrp,LensOverlaySuggestionsMigration\u003CChromnientReinvocationAffordance,LensOverlaySurvey\u003CChromnientSurvey,LensOverlayTextSelectionContextMenuEntrypoint\u003CChromnientTextSelectionContextMenuEntrypoint,LensOverlayUpdatedClientContext\u003CChromnientUpdatedClientContext,LensOverlayVisualSelectionUpdates\u003CChromnientUpdatedVisuals,LensSearchAimM3\u003CChromnientAimM3,LensSearchReinvocationAffordance\u003CChromnientReinvocationAffordance,LensSearchZeroStateCsb\u003CChromnientZeroStateCsb,LensStandalone\u003CGoogleLensDesktopImageFormatOptimizations,LensUpdatedFeedbackEntrypoint\u003CChromnientUpdatedFeedbackEntrypoint,LensVideoCitations\u003CChromnientVideoCitations,LessAggressiveParkableString\u003CParkableStringsLessAggressiveAndZstd,LevelDBCacheSize\u003CLevelDBCacheSize,LinkPreview\u003CLinkPreview,LiveCaptionExperimentalLanguages\u003CLiveCaptionExperimentalLanguages,LoadAllTabsAtStartup\u003CLoadAllTabsAtStartup,LoadingPredictorLimitPreconnectSocketCount\u003CLoadingPredictorLimitPreconnectSocketCount,LoadingSuggestionsAnimation\u003CContextualSuggestionsAnimationImprovements,LocalNetworkAccessChecks\u003CLocalNetworkAccessChecks,LocalNetworkAccessChecksWebSockets\u003CLocalNetworkAccessChecksWebSockets,LocalNetworkAccessChecksWebTransport\u003CLocalNetworkAccessChecksWebTransport,LogOnDeviceMetricsOnStartup\u003CLogOnDeviceMetricsOnStartup,LogUrlScoringSignals\u003COmniboxLogURLScoringSignals,LongAnimationFrameSourceCharPosition\u003CLongAnimationFrameSourceCharPosition,LowerHighResolutionTimerThreshold\u003CBatterySaverModeAlignWakeUps,LowerQuicMaxPacketSize\u003CIncreaseHttp3Usage,MHTML_Improvements\u003CMHTML_Improvements,MacAccessibilityAPIMigration\u003CMacAccessibilityAPIMigration,MacAllowBackgroundingRenderProcesses\u003CPerfCombined2025,MacCriticalDiskSpacePressure\u003CPerfCombined2025,MainIdleBypassScheduler\u003CMainIdleBypassSchedulerExperiment,MainNodeAnnotations\u003CMainNodeAnnotationsRollout,ManagedProfileRequiredInterstitial\u003CManagedProfileRequiredInterstitial,MediaDeviceIdPartitioning\u003CMediaDeviceIdStoragePartitioning,MemoryCacheStrongReference\u003CPerfCombined2025,MemoryConsumerForNGShapeCache\u003CMemoryConsumerForNGShapeCache,MemoryCoordinatorLastResortGC\u003CMemoryCoordinatorLastResortGC,MetricsLogTrimming\u003CMetricsLogTrimming,MetricsRenderFrameObserverImprovement\u003CMetricsRenderFrameObserverImprovement,MigrateDefaultChromeAppToWebAppsGSuite\u003CMigrateDefaultChromeAppToWebAppsGSuite,MigrateDefaultChromeAppToWebAppsNonGSuite\u003CMigrateDefaultChromeAppToWebAppsNonGSuite,MobilePromoOnDesktopWithQRCode\u003CMobilePromoOnDesktopWithQRCode,MobilePromoOnDesktopWithReminder\u003CMobilePromoOnDesktopWithReminder,ModelQualityLogging\u003CComposeModelQualityLogging,MojoChannelAssociatedSendUsesRunOrPostTask\u003CMojoChannelAssociatedSendUsesRunOrPostTask,MultipleSpareRPHs\u003CMultipleSpareRPHs,MvcUpdateViewWhenModelChanged\u003CPerfCombined2025,NavigationThrottleRegistryAttributeCache\u003CNavigationThrottleRegistryAttributeCache,NetTaskScheduler2\u003CNetworkServiceTaskScheduler2,NetworkQualityEstimator\u003CNetworkQualityEstimatorParameterTuning,NetworkQualityEstimatorAsyncNotifyStartTransaction\u003CNetworkQualityEstimatorAsync,NetworkServicePerPriorityTaskQueues\u003CNetworkServicePerPriorityTaskQueues,NewContentForCheckerboardedScrolls\u003CNewContentForCheckerboardedScrollsPerFrame,NewTabAddsToActiveGroup\u003CTabGroupInteractionsDesktop,NewTabPageTriggerForPrefetch\u003CPrefetchNewTabPageTrigger,NoPasswordSuggestionFiltering\u003CNoPasswordSuggestionFiltering,NoPreReadMainDllIfSsd\u003CPerfCombined2025,NoThrottlingVisibleAgent\u003CNoThrottlingVisibleAgent,NotificationTelemetrySwb\u003CNotificationTelemetrySwb,NtpBackgroundImageErrorDetection\u003CDesktopNtpImageErrorDetection,NtpComposebox\u003CNtpComposeboxDesktop,NtpDriveModule\u003CDesktopNtpDriveCache,NtpFeatureOptimizationDismissModulesRemoval\u003CDesktopNtpSimplification,NtpFeatureOptimizationModuleRemoval\u003CDesktopNtpSimplification,NtpFeatureOptimizationShortcutsRemoval\u003CDesktopNtpSimplification,NtpMiddleSlotPromoDismissal\u003CDesktopNtpMiddleSlotPromoDismissal,NtpMobilePromo\u003CDesktopNtpMobilePromo,NtpModulesLoadTimeoutMilliseconds\u003CDesktopNtpModules,NtpMostRelevantTabResumptionModule\u003CDesktopNtpTabResumption,NtpOneGoogleBarAsyncBarParts\u003CDesktopNtpOneGoogleBarAsyncBarParts,NtpPhotosModule\u003CDesktopNtpModules,NtpRealboxNext\u003CNtpRealboxNextDesktop,NtpSharepointModule\u003CNtpMicrosoftFilesCard,NtpWallpaperSearchButton\u003CChromeWallpaperSearchLaunch,NtpWallpaperSearchButtonHideCondition\u003CChromeWallpaperSearchLaunch,OfferPinToTaskbarInfoBar\u003COfferPinToTaskbarInfoBar,OffloadAcceptCHFrameCheck\u003COffloadAcceptCHFrameCheck,OidcAuthProfileManagement\u003COidcAuthProfileManagement,OmniboxCalcProvider\u003CDesktopOmniboxCalculatorProvider,OmniboxOnDeviceHeadProviderNonIncognito\u003COmniboxOnDeviceHeadModelSelectionFix,OmniboxOnDeviceTailModel\u003COmniboxOnDeviceBrainModel,OmniboxRemoveSuggestionsFromClipboard\u003COmniboxBundledExperimentV1,OmniboxRichAutocompletion\u003CDesktopOmniboxRichAutocompletionMinChar,OmniboxShortcutBoost\u003CDesktopOmniboxShortcutBoost,OmniboxUIExperimentMaxAutocompleteMatches\u003COmniboxBundledExperimentV1,OnBeginFrameThrottleVideo\u003COnBeginFrameThrottleVideoDesktop,OnDeviceModelCpuBackend\u003COptimizationGuideOnDeviceModelCpuBackend,OptimizationGuideComposeOnDeviceEval\u003CComposeOnDeviceModel,OptimizationGuideOnDeviceModel\u003CComposeOnDeviceModel,OptimizationHints\u003COptGuideURLCacheSize,OptimizationHintsFetchingSRP\u003COptGuideBatchSRPTuning,OriginMatcherNewCopyAssignment\u003COriginMatcherNewCopyAssignment,OverscrollBehaviorRespectedOnAllScrollContainers\u003COverscrollBehaviorRespectedOnAllScrollContainers,PageActionsMigration\u003CPageActionsMigration,PageAllocatorRetryOnCommitFailure\u003CPerfCombined2025,PageContentAnnotationsPersistSalientImageMetadata\u003CRemotePageMetadataDesktopExpansion,PageInfoAboutThisSiteMoreLangs\u003CPageInfoAboutThisSite40Langs,PaintHoldingForIframes\u003CPaintHoldingOOPIF,PartitionAllocBackupRefPtr\u003CPartitionAllocBackupRefPtr,PartitionAllocEventuallyZeroFreedMemory\u003CPartialPageZeroing,PartitionAllocFreeWithSize\u003CPartitionAllocFreeWithSize,PartitionAllocMemoryReclaimer\u003CPartitionAllocMemoryReclaimer,PartitionAllocSchedulerLoopQuarantine\u003CPartitionAllocWithAdvancedChecks,PartitionAllocSchedulerLoopQuarantineTaskObserverForBrowserUIThread\u003CPartitionAllocWithAdvancedChecks,PartitionAllocShortMemoryReclaim\u003CPartitionAllocShortMemoryReclaim,PartitionAllocSortSmallerSlotSpanFreeLists\u003CPartitionAllocMemoryReclaimer,PartitionAllocStraightenLargerSlotSpanFreeLists\u003CPartitionAllocMemoryReclaimer,PartitionAllocUnretainedDanglingPtr\u003CPartitionAllocUnretainedDanglingPtr,PartitionAllocWithAdvancedChecks\u003CPartitionAllocWithAdvancedChecks,PartitionConnectionsByNetworkIsolationKey\u003CPartitionNetworkStateByNetworkAnonymizationKey,PassHistogramSharedMemoryOnLaunch\u003CPassHistogramSharedMemoryOnLaunch,PasskeyUnlockManager\u003CPasskeyUnlockManager,Path2DPaintCache\u003CPath2DPaintCache,PdfGetSaveDataInBlocks\u003CPdfGetSaveDataInBlocks,PdfInfoBar\u003CPdfInfoBar,PdfInk2\u003CPdfInkSignaturesTextHighlighter,PdfSaveToDrive\u003CPdfSaveToDrive,PdfSaveToDriveSurvey\u003CPdfSaveToDriveSurvey,PdfUseShowSaveFilePicker\u003CPdfUseShowSaveFilePicker,PdfUseSkiaRenderer\u003CPdfUseSkiaRenderer,PerformanceControlsHighEfficiencyOptOutSurvey\u003CPerformanceControlsHatsStudy,PermissionElementPromptPositioning\u003CPermissionElementPromptPositioning,PermissionPromiseLifetimeModulation\u003CPermissionPromiseLifetimeModulation,PermissionSiteSettingsRadioButton\u003CPermissionSiteSettingsRadioButton,PermissionsAIP92\u003CPermissionsAIP92,PermissionsAIv3\u003CPermissionsAIv3,PermissionsAIv4\u003CPermissionsAIv4,PlusAddressAcceptedFirstTimeCreateSurvey\u003CPlusAddressAcceptedFirstTimeCreateSurvey,PlusAddressAndroidOpenGmsCoreManagementPage\u003CPlusAddressesExperiment,PlusAddressDeclinedFirstTimeCreateSurvey\u003CPlusAddressDeclinedFirstTimeCreateSurvey,PlusAddressFallbackFromContextMenu\u003CPlusAddressesExperiment,PlusAddressFilledPlusAddressViaManualFallbackSurvey\u003CPlusAddressFilledPlusAddressViaManualFallbackSurvey,PlusAddressPreallocation\u003CPlusAddressesExperiment,PlusAddressUserCreatedMultiplePlusAddressesSurvey\u003CPlusAddressUserCreatedMultiplePlusAddressesSurvey,PlusAddressUserCreatedPlusAddressViaManualFallbackSurvey\u003CPlusAddressUserCreatedPlusAddressViaManualFallbackSurvey,PlusAddressUserDidChooseEmailOverPlusAddressSurvey\u003CPlusAddressUserDidChooseEmailOverPlusAddressSurvey,PlusAddressUserDidChoosePlusAddressOverEmailSurvey\u003CPlusAddressUserDidChoosePlusAddressOverEmailSurvey,PlusAddressesEnabled\u003CPlusAddressesExperiment,PowerBookmarkBackend\u003CPowerBookmarkBackend,PreconnectFromKeyedService\u003CPreconnectFromKeyedService,PreconnectToSearch\u003CPreconnectToSearchDesktop,PrefetchProxy\u003CPrefetchProxyDesktop,PrefetchServiceWorkerNoFetchHandlerFix\u003CPrefetchServiceWorkerNoFetchHandlerFix,PrefixCookieHostHttp\u003CPrefixCookieHttp,PrefixCookieHttp\u003CPrefixCookieHttp,PreloadMediaEngagementData\u003CUnifiedAutoplay,PreloadTopChromeWebUILessNavigations\u003CPreloadTopChromeWebUILessNavigations,Prerender2EarlyDocumentLifecycleUpdate\u003CPrerender2EarlyDocumentLifecycleUpdateV2,Prerender2FallbackPrefetchSpecRules\u003CPrerender2FallbackPrefetchSpecRules,Prerender2WarmUpCompositorForBookmarkBar\u003CPrerender2WarmUpCompositorForBookmarkBar,Prerender2WarmUpCompositorForImmediate\u003CPrerender2WarmUpCompositorForSpeculationRules,Prerender2WarmUpCompositorForNewTabPage\u003CPrerender2WarmUpCompositorForNewTabPage,Prerender2WarmUpCompositorForNonImmediate\u003CPrerender2WarmUpCompositorForSpeculationRules,PreserveDiscardableImageMapQuality\u003CPreserveDiscardableImageMapQuality,PreventDuplicateImageDecodes\u003CSpeculativeImageDecodes,PrewarmServiceWorkerRegistrationForDSE\u003CServiceWorkerBackgroundUpdate,PriceInsights\u003CPriceInsightsDesktopExpansionStudy,PriceTrackingSubscriptionServiceLocaleKey\u003CPriceTrackingDesktopExpansionStudy,PrivacySandboxAdsAPIs\u003CPrivacySandboxAdsAPIs,PrivacySandboxAdsAPIsM1Override\u003CPrivacySandboxAdsAPIs,PrivacySandboxInternalsDevUI\u003CPrivacySandboxInternalsDevUI,PrivacySandboxSentimentSurvey\u003CPrivacySandboxSentimentSurvey,PrivateAggregationApi\u003CPrivacySandboxAdsAPIs,PrivateAggregationApiErrorReporting\u003CPrivateAggregationApiErrorReporting,PrivateStateTokens\u003CPrivateStateTokens,ProactivelyDownloadModelForPasswordChange\u003CAutomatedPasswordChangeStudyModelUsage,ProcessHtmlDataImmediately\u003CProcessHtmlDataImmediately,ProcessPerSiteSkipDevtoolsUsers\u003CKeepDefaultSearchEngineAlive,ProductSpecifications\u003CCompare,ProductSpecificationsMqlsLogging\u003CCompare,ProfileSignalsReportingEnabled\u003CProfileSignalsReportingEnabled,ProfilesReordering\u003CProfilesReordering,ProgressiveAccessibility\u003CProgressiveAccessibility2,PruneOldTransferCacheEntries\u003CPruneOldTransferCacheEntries,PsDualWritePrefsToNoticeStorage\u003CPsDualWritePrefsToNoticeStorage,PushMessagingDisallowSenderIDs\u003CPushMessagingDisallowSenderIDs,PushMessagingGcmEndpointEnvironment\u003CPushMessagingGcmEndpointEnvironment,PushMessagingGcmEndpointWebpushPath\u003CPushMessagingGcmEndpointWebpushPath,QueueNavigationsWhileWaitingForCommit\u003CRenderDocumentWithNavigationQueueing,QuicDoesNotUseFeatures\u003CQUIC,QuicLongerIdleConnectionTimeout\u003CQuicLongerIdleConnectionTimeout,ReadAnythingLineFocus\u003CReadAnythingLineFocusExperiment,ReadAnythingMenuShuffleExperiment\u003CReadAnythingMenuShuffleExperiment,ReadAnythingReadAloudPhraseHighlighting\u003CReadAnythingReadAloudPhraseHighlighting,ReadAnythingReadAloudTSTextSegmentation\u003CReadAnythingReadAloudTsTextSegmentation,RebindPreconnectReceivers\u003CConnectionKeepAliveForHttp2,RedWarningSurvey\u003CRedWarningSurvey,ReduceAcceptLanguage\u003CReduceAcceptLanguage,ReduceAcceptLanguageHTTP\u003CReduceAcceptLanguageHTTP,ReduceCallingServiceWorkerRegisteredStorageKeysOnStartup\u003CServiceWorkerBackgroundUpdate,ReduceIPAddressChangeNotification\u003CReduceIPAddressChangeNotification,ReducePPMs\u003CPerfCombined2025,ReduceRequirementsForPasswordChange\u003CAutomatedPasswordChangeStudyV4,ReduceTransferSizeUpdatedIPC\u003CBackgroundResourceFetch,ReleaseResourceDecodedDataOnMemoryPressure\u003CPerfCombined2025,ReleaseResourceStrongReferencesOnMemoryPressure\u003CPerfCombined2025,ReloadTabUiResourcesIfChanged\u003CPerfCombined2025,RemotePageMetadata\u003CRemotePageMetadataDesktopExpansion,RemoveCancelledScriptedIdleTasks\u003CPerfCombined2025,RemoveDataUrlInSvgUse\u003CRemoveDataUrlInSvgUse,RemoveRendererProcessLimit\u003CRemoveRendererProcessLimit,RenderBlockingFullFrameRate\u003CRenderBlockingFullFrameRate,RenderDocument\u003CRenderDocumentWithNavigationQueueing,RendererSideContentDecoding\u003CRendererSideContentDecoding,ReplaceSyncPromosWithSignInPromos\u003CUnoPhase2Desktop,ReportStuckThrottle\u003CResumeNavigationWithSpeculativeRFHProcessGone,ReportingServiceAlwaysFlush\u003CStickyActivationTest,RequestMainFrameAfterFirstVideoFrame\u003CRequestMainFrameAfterFirstVideoFrame,ResolutionBasedDecoderPriority\u003CResolutionBasedDecoderPriority,ResponsiveToolbar\u003CSidePanelPinningWithResponsiveToolbar,RestrictPendingInputEventType\u003CRestrictPendingInputEventTypeToBlockMainThread,RestrictSpellingAndGrammarHighlights\u003CRestrictSpellingAndGrammarHighlights,ResumeNavigationWithSpeculativeRFHProcessGone\u003CResumeNavigationWithSpeculativeRFHProcessGone,RetryGetVideoCaptureDeviceInfos\u003CRetryGetVideoCaptureDeviceInfos,RollBackModeB\u003CRollBackModeB,SafeBrowsingDailyPhishingReportsLimit\u003CSafeBrowsingDailyPhishingReportsLimit,SafeBrowsingExtensionTelemetrySearchHijackingSignal\u003CSafeBrowsingExtensionTelemetrySearchHijackingSignal,SafeBrowsingExternalAppRedirectTelemetry\u003CSafeBrowsingExternalAppRedirectTelemetry,SafetyCheckUnusedSitePermissions\u003CSafetyCheckUnusedSitePermissions,SafetyHub\u003CSafetyHubIncreasePasswordCheckFrequency,SafetyHubDisruptiveNotificationRevocation\u003CSafetyHubDisruptiveNotificationRevocationDesktop,SafetyHubHaTSOneOffSurvey\u003CSafetyHubOneOffHats,SafetyHubUnusedPermissionRevocationForAllSurfaces\u003CSafetyHubUnusedPermissionRevocationForAllSurfaces,ScopedBestEffortExecutionFenceForTaskQueue\u003CEnableBestEffortTaskInhibitingPolicy,ScreenCaptureKitMacScreen\u003CScreenCaptureKitMacScreen,ScreenWinDisplayLookupByHMONITOR\u003CPerfCombined2025,ScriptStreamingForNonHTTP\u003CWebUIInProcessResourceLoading,SeamlessRenderFrameSwap\u003CSeamlessRenderFrameSwap,SearchEnginePreconnect2\u003CDSEPreconnect2,SearchEnginePreconnectInterval\u003CSearchEnginePreconnectInterval,SearchNavigationPrefetch\u003CSearchPrefetchHighPriorityPrefetches,SearchPrefetchWithNoVarySearchDiskCache\u003CHttpCacheNoVarySearch,SecurePaymentConfirmationUxRefresh\u003CSecurePaymentConfirmationUxRefresh,SegmentationPlatformFedCmUser\u003CFedCmSegmentationPlatform,SegmentationPlatformURLVisitResumptionRanker\u003CDesktopNtpTabResumption,SelectParserRelaxation\u003CCustomizableSelect,SendEmptyGestureScrollUpdate\u003CSendEmptyGestureScrollUpdate,ServiceWorkerAutoPreload\u003CServiceWorkerAutoPreload,ServiceWorkerBackgroundUpdateForRegisteredStorageKeys\u003CServiceWorkerBackgroundUpdate,ServiceWorkerClientIdAlignedWithSpec\u003CPlzDedicatedWorker,ServiceWorkerMergeFindRegistrationForClientUrl\u003CServiceWorkerBackgroundUpdate,ServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement\u003CServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement,ServiceWorkerStaticRouterRaceRequestFix2\u003CServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement,ServiceWorkerSyntheticResponse\u003CServiceWorkerSyntheticResponse,SessionRestoreInfobar\u003CSessionRestoreInfobar,SharedStorageAPI\u003CPrivacySandboxAdsAPIs,SharedWorkerBlobURLFix\u003CSharedWorkerBlobURLFix,SharingDisableVapid\u003CSharingDisableVapid,ShoppingAlternateServer\u003CShoppingAlternateServer,ShoppingList\u003CPriceTrackingDesktopExpansionStudy,ShoppingPDPMetrics\u003CEnablePDPMetricsUSDesktopIOS,ShowTabGroupsMacSystemMenu\u003CTabGroupInteractionsDesktop,SidePanelCompanion\u003CSidePanelCompanionDesktopM116Plus,SidePanelCompanionChromeOS\u003CSidePanelCompanionDesktopM116Plus,SidePanelPinning\u003CSidePanelPinningWithResponsiveToolbar,SilentPolicyAndDefaultAppUpdating\u003CDesktopPWAsPredictableAppUpdating,SimdutfBase64Encode\u003CSimdutfBase64Encode,SimpleCachePrioritizedCaching\u003CSimpleCachePrioritizedCaching,SimpleURLLoaderUseReadAndDiscardBodyOption\u003CHttpDiskCachePrewarming,SingleVideoFrameRateThrottling\u003CSingleVideoFrameRateThrottling,SiteInstanceGroupsForDataUrls\u003CSiteInstanceGroupsForDataUrls,SkiaGraphite\u003CSkiaGraphite,SkiaGraphiteSmallPathAtlas\u003CSkiaGraphiteSmallPathAtlas,SkipIPCChannelPausingForNonGuests\u003CSkipIPCChannelPausingForNonGuestsStudy,SkipModerateMemoryPressureLevelMac\u003CSkipModerateMemoryPressureLevelMac,SkipPagehideInCommitForDSENavigation\u003CSkipPagehideInCommitForDSENavigation,SkipTpcdMitigationsForAds\u003CCookieDeprecationFacilitatedTestingCookieDeprecation,SlimDirectReceiverIpc\u003CPerfCombined2025,SlopBucket\u003CSlopBucket,SoftNavigationDetectionAdvancedPaintAttribution\u003CSoftNavigationDetectionAdvancedPaintAttribution,SoftNavigationDetectionPrePaintBasedAttribution\u003CSoftNavigationDetectionPrePaintBasedAttribution,SonomaAccessibilityActivationRefinements\u003CSonomaAccessibilityActivationRefinements,SpareRPHUseCriticalMemoryPressure\u003CMultipleSpareRPHs,Spark\u003CWhatsNewSparkEdition,SpdyHeadersToHttpResponseUseBuilder\u003CSpdyHeadersToHttpResponseUseBuilder,SpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext\u003CSpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext,SpeculativeImageDecodes\u003CSpeculativeImageDecodes,SpeculativeServiceWorkerWarmUp\u003CSpeculativeServiceWorkerWarmUp,SpellcheckSeparateLocalAndAccountDictionaries\u003CUnoPhase2FollowUpDesktop,SplitCacheByNetworkIsolationKey\u003CSplitCacheByNetworkIsolationKey,SqlScopedTransactionWebDatabase\u003CSqlScopedTransactionWebDatabase,StandardizedBrowserZoom\u003CStandardizedBrowserZoom,StandardizedTimerClamping\u003CStandardizedTimerClamping,StarterPackExpansion\u003CDesktopOmniboxStarterPackExpansion,StarterPackIPH\u003COmniboxStarterPackIPH,StaticStorageQuota\u003CStaticStorageQuota,StorageBuckets\u003CStorageBuckets,StreamlineRendererInit\u003CStreamlineRendererInit,StrictAssociatedCountriesCheck\u003CDynamicProfileCountry,StringWidthCache\u003CStringWidthCache,SubframeProcessShutdownDelay\u003CSubframeProcessShutdownDelay,SubresourceFilterPrewarm\u003CSubresourceFilterPrewarm,SupportOpeningDraggedLinksInSameTab\u003CSupportOpeningDraggedLinksInSameTab,SuppressMemoryListeners\u003CPerfCombined2025,SuppressMemoryMonitor\u003CPerfCombined2025,SuppressesLoadingPredictorOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SuppressesPrerenderingOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SuppressesSearchPrefetchOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SvgFallBackToContainerSize\u003CGlicShareImage,SymphoniaAudioDecoding\u003CSymphoniaAudioDecoding,SyncAccountSettings\u003CAutofillAiM3PublicPasses,SyncAutofillValuableMetadata\u003CAutofillAiM3PublicPasses,SyncBookmarksLimit\u003CSyncBookmarksLimit,SyncDetermineAccountManagedStatus\u003CSyncDetermineAccountManagedStatus,SyncEnableContactInfoDataTypeForCustomPassphraseUsers\u003CUnoPhase2Desktop,SyncIncreaseNudgeDelayForSingleClient\u003CSyncIncreaseNudgeDelayForSingleClient,SyncWalletFlightReservations\u003CAutofillAiM3PublicPasses,SyncWalletVehicleRegistrations\u003CAutofillAiM3PublicPasses,SystemSignalCollectionImprovementEnabled\u003CSystemSignalCollectionImprovementEnabled,TLSTrustAnchorIDs\u003CTLSTrustAnchorIDs,TPCDAdHeuristicSubframeRequestTagging\u003CCookieDeprecationFacilitatedTestingCookieDeprecation,TabAudioMuting\u003CTabAudioMuting,TabGroupMenuImprovements\u003CTabGroupInteractionsDesktop,TabGroupMenuMoreEntryPoints\u003CTabGroupInteractionsDesktop,TabHoverCardImages\u003CTabHoverCardImagesMacArm,TabstripComboButton\u003CTabstripComboButton,TabstripDeclutter\u003CTabstripDeclutter,TailoredSecurityIntegration\u003CTailoredSecurityIntegration,TaskManagerDesktopRefresh\u003CTaskManagerDesktopRefresh,TcpSocketPoolLimitRandomization\u003CTcpSocketPoolLimitRandomization,TerminationTargetPolicy\u003CPerfCombined2025,TextInputHostMojoCapabilityControlWorkaround\u003CTextInputHostMojoCapabilityControlWorkaround,TextSafetyClassifier\u003CComposeOnDeviceModel,TextSafetyScanLanguageDetection\u003CTextSafetyScanLanguageDetection,ThreeButtonPasswordSaveDialog\u003CThreeButtonPasswordSaveDialog,ThrottleMainFrameTo60Hz\u003CThrottleMainFrameTo60HzMacV2,ToolbarPinning\u003CToolbarPinning,TraceSiteInstanceGetProcessCreation\u003CTraceSiteInstanceGetProcessCreation,TrackEmptyRendererProcessesForReuse\u003CKeepDefaultSearchEngineAlive,TranslateOpenSettings\u003CTranslateBubbleOpenSettings,TrustSafetySentimentSurvey\u003CTrustSafetySentimentSurvey,TrustSafetySentimentSurveyV2\u003CTrustSafetySentimentSurveyV2,TrustTokens\u003CTrustTokenOriginTrial,TryQuicByDefault\u003CIncreaseHttp3Usage,UIEnableSharedImageCacheForGpu\u003CUIEnableSharedImageCacheForGpu,UMANonUniformityLogNormal\u003CUMA-NonUniformity-Trial-1-Percent,UMAPseudoMetricsEffect\u003CUMA-Pseudo-Metrics-Effect-Injection-25-Percent,UkmReduceAddEntryIPC\u003CReduceIPCCombined,UkmSamplingRate\u003CUkmSamplingRate,UnlockDuringGpuImageOperations\u003CUnlockDuringGpuImageOperations,UnoPhase2FollowUp\u003CUnoPhase2FollowUpDesktop,UpdateDirectManipulationHelperOnParentChange\u003CPerfCombined2025,UpdateIsMainFrameOriginRecentlyAccessed\u003CUpdateIsMainFrameOriginRecentlyAccessedStudy,UploadRealtimeReportingEventsUsingProto\u003CProtoBasedEnterpriseReporting,UrgentMainFrameForInput\u003CThrottleMainFrameTo60HzMacV2,UseActionablesForImprovedPasswordChange\u003CAutomatedPasswordChangeStudyV4,UseBoringSSLForRandBytes\u003CUseBoringSSLForRandBytes,UseCECFlagInPolicyData\u003CUseCecEnabledFlag,UseDnsHttpsSvcb\u003CDnsHttpsSvcbTimeout,UseLastVisitedFallbackURLFavicon\u003CUseLastVisitedFallbackURLFavicon,UsePersistentCacheForCodeCache\u003CUsePersistentCacheForCodeCache,UsePrimaryAndTonalButtonsForPromos\u003CUsePrimaryAndTonalButtonsForPromos,UseSCContentSharingPicker\u003CUseSCContentSharingPicker,UseSmartRefForGPUFenceHandle\u003CUseSmartRefForGPUFenceHandle,UseSnappyForParkableStrings\u003CUseSnappyForParkableStrings,UseUnexportableKeyServiceInBrowserProcess\u003CDBSCMacUKSInBrowserProcess,UseZstdForParkableStrings\u003CParkableStringsLessAggressiveAndZstd,UserBypassUI\u003CUserBypassUI,UserRemoteCommands\u003CProfileRemoteCommands,UserRemoteCommandsInvalidationWithDirectMessagesEnabled\u003CProfileRemoteCommands,UserValueDefaultBrowserStrings\u003CUserValueDefaultBrowserStrings,V8Flag_detect_ineffective_gcs_near_heap_limit\u003CV8IneffectiveMarkCompact,V8Flag_disable_eager_allocation_failures\u003CV8DisableEagerAllocationFailures,V8Flag_external_memory_accounted_in_global_limit\u003CV8ExternalMemoryAccountedInGlobalLimit,V8Flag_flush_code_based_on_time\u003CV8CodeFlushing,V8Flag_ineffective_gcs_forces_last_resort\u003CV8CodeFlushing,V8Flag_large_page_pool\u003CV8LargePagePool,V8Flag_late_heap_limit_check\u003CV8LateHeapLimitCheck,V8Flag_managed_zone_memory\u003CV8ManagedZoneMemory,V8Flag_new_old_generation_heap_size\u003CV8NewOldGenerationHeapSize,V8Flag_zero_unused_memory\u003CPartialPageZeroing,V8MemoryPoolReleaseOnMallocFailures\u003CV8MemoryPoolReleaseOnMallocFailures,V8PreconfigureOldGen\u003CV8PreconfigureOldGen,V8SideStepTransitions\u003CV8SideStepTransitions,V8SingleThreadedGCInBackground\u003CV8SingleThreadedGCInBackgroundVariants,VSyncDecoding\u003CVSyncDecoding,VariationsStickyPersistence\u003CVariationsStickyPersistence,VerifyDidCommitParams\u003CVerifyDidCommitParams,VerifyQWACs\u003CVerifyQWACsRollout,VisibilityAwareResourceScheduler\u003CVisibilityAwareResourceScheduler,VisitedLinksOn404\u003CVisitedLinksOn404,VisitedURLRankingService\u003CVisitedURLRankingService,VisualQuerySuggestions\u003CSidePanelCompanionDesktopM116Plus,WaffleRestrictToAssociatedCountries\u003CDynamicProfileCountry,WallpaperSearchGraduated\u003CChromeWallpaperSearchGlobal,WebAppPredictableAppUpdating\u003CDesktopPWAsPredictableAppUpdating,WebAppUsePrimaryIcon\u003CDesktopPWAsPredictableAppUpdating,WebAuthenticationNewRefreshFlow\u003CWebAuthenticationNewRefreshFlow,WebContentsDiscard\u003CWebContentsDiscard,WebGPUEnableRangeAnalysisForRobustness\u003CWebGPUEnableRangeAnalysisForRobustness,WebRTC-DataChannelMessageInterleaving\u003CWebRTC-DataChannelMessageInterleaving,WebRTC-Video-H26xPacketBuffer\u003CWebRTC-Video-H26xPacketBuffer,WebRTCColorAccuracy\u003CWebRTCColorAccuracy,WebRtcAllowH265Receive\u003CWebRTC-Video-ReceiveAndSendH265,WebRtcAllowH265Send\u003CWebRTC-Video-ReceiveAndSendH265,WebRtcAudioSinkUseTimestampAligner\u003CWebRtcAudioSinkUseTimestampAligner,WebRtcPqcForDtls\u003CWebRtcPqcForDtls,WebUIInProcessResourceLoading\u003CWebUIInProcessResourceLoading,WebrtcAcceleratedScaling\u003CWebrtcEncodeReadbackOptimization,WhatsNewDesktopRefresh\u003CWhatsNewRefresh,XSLTSpecialTrial\u003CXSLTSpecialTrial,YourSavedInfoBrandingInSettings\u003CYourSavedInfoBrandingInSettings,YourSavedInfoSettingsPage\u003CYourSavedInfoSettingsPage,ZeroCopyTabCapture\u003CZeroCopyTabCaptureStudyMac,ZeroStateSuggestionsV2\u003CZeroStateSuggestionsV2,ZeroSuggestPrefetchDebouncing\u003CZPSPrefetchDebouncingDesktop,ZstdForCrossSiteSpeculationRulesPrefetch\u003CZstdForCrossSiteSpeculationRulesPrefetch,kSpareRPHKeepOneAliveOnMemoryPressure\u003CMultipleSpareRPHs","force-fieldtrial-params":"AIMHintText.ThreePerDayFifteenTotal:AimHintImpressionLimitDaily/3/AimHintImpressionLimitTotal/15/EnableHintImpressionLimits/true/HideAimHintTextOnNtpOpen/false,AnnotatedPageContentExtraction.Glic:capture_delay/5s/on_critical_path/true,AutoSpeculationRules.Enabled_20231201:config/%7B%22framework_to_speculation_rules%22%3A%7B%2212%22%3A%22%7B%5C%22prefetch%5C%22%3A%5B%7B%5C%22source%5C%22%3A%5C%22document%5C%22%2C%5C%22eagerness%5C%22%3A%5C%22conservative%5C%22%2C%5C%22where%5C%22%3A%7B%5C%22href_matches%5C%22%3A%5C%22%2F%2A%5C%22%7D%7D%5D%7D%22%7D%7D/holdback/false,AutofillAddressUserPerceptionSurveyUS.Enabled:en_site_id/Q13fLRHym0ugnJ3q1cK0Tm5d8fMW/probability/1,AutofillCreditCardUserPerceptionSurvey.Enabled:en_site_id/Q13fLRHym0ugnJ3q1cK0Tm5d8fMW/probability/1,AutofillImprovedLabels.Enabled_WithDifferentiatingLabelsInFront:autofill_improved_labels_with_differentiating_labels_in_front/true/autofill_improved_labels_without_main_text_changes/false,AutofillModelPredictions.Enabled:model_active/false,AutofillPasswordUserPerceptionSurvey.Enabled:en_site_id/cLnNGzEX59NNVVEtwumiSF/probability/1,AutofillSurveys.Card_20230606:en_site_id/F2fsskHvB0ugnJ3q1cK0NXLjUaK5/probability/1%2E0,AutofillUKMExperimentalFields.Enabled:autofill_experimental_regex_bucket1/test1,AutofillVcnEnrollStrikeExpiryTime.Enabled:autofill_vcn_strike_expiry_time_days/180,AvoidEntryCreationForNoStore.Enabled:AvoidEntryCreationForNoStoreCacheSize/40000,BackNavigationMenuIPH.EnabledIPHWhenUserPerformsChainedBackNavigation_20230510:availability/%3E0/event_trigger/name%3Aback_navigation_menu_iph_is_triggered%3Bcomparator%3A%3C%3D4%3Bwindow%3A365%3Bstorage%3A365/event_used/name%3Aback_navigation_menu_is_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A7%3Bstorage%3A365/session_rate/%3C1/snooze_params/max_limit%3A4%2Csnooze_interval%3A7/x_experiment/1,BeaconLeakageLogging.Enabled_v1:category_param_name/category/category_prefix/acrcp_v1_,BrowserThreadPoolAdjustmentForDesktop.thread_pool_default_20230920:BrowserThreadPoolCoresMultiplier/0%2E6/BrowserThreadPoolMax/32/BrowserThreadPoolMin/16/BrowserThreadPoolOffset/0,CacheSharingForPervasiveScripts.Enabled_20250520:url_patterns/https%3A%2F%2Fwww%2Egoogle-analytics%2Ecom%2Fanalytics%2Ejs%0Ahttps%3A%2F%2Fssl%2Egoogle-analytics%2Ecom%2Fga%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogle-analytics%2Ecom%2Fplugins%2Fua%2Fec%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Fadsense%2F%2A%2Fshow_ads_impl_fy2021%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Factiveview%2Fcurrent%2Fufs_web_display%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Fadsense%2F%2A%2Freactive_library_fy2021%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogleadservices%2Ecom%2Fpagead%2Fconversion%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogleadservices%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Factiveview%2Fcurrent%2Freach_worklet%2Ejs%0Ahttps%3A%2F%2Fsecurepubads%2Eg%2Edoubleclick%2Enet%2Fpagead%2Fmanaged%2Fjs%2Fgpt%2F%2A%2Fpubads_impl%2Ejs%0Ahttps%3A%2F%2Fsecurepubads%2Eg%2Edoubleclick%2Enet%2Fpagead%2Fmanaged%2Fjs%2Fgpt%2F%2A%2Fpubads_impl_page_level_ads%2Ejs%0Ahttps%3A%2F%2Ftpc%2Egooglesyndication%2Ecom%2Fpagead%2Fjs%2F%2A%2Fclient%2Fqs_click_protection_fy2021%2Ejs%0Ahttps%3A%2F%2Ftpc%2Egooglesyndication%2Ecom%2Fsafeframe%2F%2A%2Fjs%2Fext%2Ejs%0Ahttps%3A%2F%2Fep2%2Eadtrafficquality%2Egoogle%2Fsodar%2Fsodar2%2Ejs,Canvas2DAutoFlushParams.Candidate:max_pinned_image_kb/32768/max_recorded_op_kb/2048,ChromeWallpaperSearchHaTS.Enabled:WallpaperSearchHatsDelayParam/18s/en_site_id/foo/probability/1%2E0,ChromeWallpaperSearchLaunch.DefaultOnLaunched:NtpWallpaperSearchButtonHideConditionParam/1,ChromeWideEchoCancellation.Enabled_20220412:processing_fifo_size/110,ChromnientAimM3.Enabled:contextualize-on-focus/true/enable-client-side-header/true,ChromnientEduActionChipV2.TestConfig:disabled-by-glic/true/hashed-domain-block-filters/1525650667/url-allow-filters/%5B%22%2A%22%5D/url-block-filters/%5B%5D/url-path-forced-allowed-match-patterns/%5B%5D/url-path-match-allow-filters/%5B%22(%3Fi)allowedword%22%5D/url-path-match-block-filters/%5B%22(%3Fi)blockedword%22%5D,ChromnientEntrypointLabelAlt.Enabled:id/1,ChromnientReinvocationAffordance.Enabled:clear-vsint-when-no-region-selection/true/enable-typeahead-suggestions/true/lens-aim-suggestions-type/Multimodal/number-of-aim-suggestions/8/send-image-signals-for-lens-suggest/false/send-lens-visual-interaction-data-for-lens-suggest/true,ChromnientSurvey.Enabled:en_site_id/LvUA3D5Ts0ugnJ3q1cK0SHbD7uPa/probability/0%2E5/results-time/6s,ChromnientTextSelectionContextMenuEntrypoint.Enabled_Contextualized:contextualize/true,ClientSideDetectionClipboardCopyApi.Enabled:HCAcceptanceRate/1/MaxLength/1000/MinLength/50/ProcessPayload/true/SampleRate/1,ClientSideDetectionCreditCardForm.Enabled:HCAcceptanceRate/1%2E0/SampleRate/0%2E0,ClientSideDetectionRetryLimit.Enabled:RetryTimeMax/15,CompensateGestureDetectorTimeouts.Enabled:compensate_gesture_timeouts_for_long_delayed_sequences/false,ComposeAcceptanceSurvey.Enabled:en_site_id/44m1DgehL0ugnJ3q1cK0Qih71MRQ/probability/0%2E1,ComposeCloseSurvey.Enabled:en_site_id/mT2d9fiNR0ugnJ3q1cK0SdAewrT2/probability/0%2E1,ComposeModelQualityLogging.ComposeLoggingEnabled_Dogfood:model_execution_feature_compose/true,ComposeOnDeviceModel.Enabled:on_device_retract_unsafe_content/false/on_device_text_safety_token_interval/10,ComposeProactiveNudgePosition.Enabled_CursorNudgeModel:proactive_nudge_compact_ui/true/proactive_nudge_delay_milliseconds/1000/proactive_nudge_force_show_probability/0%2E04/proactive_nudge_show_probability/0%2E02,ConfigurableV8CodeCacheHotHours.cache_72h_20230904:V8CodeCacheHotHours/72,ConnectionKeepAliveForHttp2.EnabledWithBindReceiversEverytime_20251111_CanaryDev:kRebindReceiverEvent/kOnlyOnConnectionClosedOrFailed,ContextualSearchBox.Enabled_AutoFocus_ApcOnly_UiUpdates_20250613:auto-focus-searchbox/true/page-content-request-id-fix/true/pdf-text-character-limit/5000/send-page-url-for-contextualization/true/show-contextual-searchbox-ghost-loader-loading-state/true/update-viewport-each-query/true/use-apc-as-context/true/use-inner-html-as-context/false/use-inner-text-as-context/false/use-pdf-interaction-type/true/use-pdf-vit-param/true/use-pdfs-as-context/true/use-updated-content-fields/true/use-webpage-interaction-type/true/use-webpage-vit-param/true,ContextualTasksDesktop.Enabled:ContextualTasksEntryPoint/toolbar-permanent,CookieDeprecationFacilitatedTestingCookieDeprecation.Treatment_PreStable_20231002:SkipTpcdMitigationsForAdsHeuristics/true/SkipTpcdMitigationsForAdsMetadata/true/SkipTpcdMitigationsForAdsSupport/true/decision_delay_time/1s/disable_3p_cookies/true/disable_ads_apis/false/enable_otr_profiles/false/enable_silent_onboarding/false/label/prestable_treatment_1/need_onboarding_for_label/true/need_onboarding_for_synthetic_trial/true/use_profile_filtering/false/version/2,DSEPreconnect2.EnabledWithbase_60_30_30_30__20250507:FallbackInLowPowerMode/false/IdleTimeoutInSeconds/60/MaxPreconnectRetryInterval/30/MaxShortSessionThreshold/30s/PingIntervalInSeconds/30/QuicConnectionOptions/ECCP,DeferSpeculativeRFHCreation.EnabledWithPrewarmAndDelay:create_speculative_rfh_delay_ms/1/create_speculative_rfh_filter_restore/true/warmup_spare_process/true,DeprecateUnload.Enabled_135:allowlist/a%2Ecom%2Cb%2Ecom%2Cc%2Ecom%2Cd%2Ecom%2Ce%2Ecom%2Cf%2Ecom%2Cweb-platform%2Etest%2Cwww1%2Eweb-platform%2Etest%2C127%2E0%2E0%2E1%2Cexample%2Etest%2Cwww%2Egoogle%2Ecom/rollout_percent/0,DesktopNtpDriveCache.Cache_1m:NtpDriveModuleCacheMaxAgeSParam/60/NtpDriveModuleExperimentGroupParam/experiment_1234,DesktopNtpModules.RecipeTasksRuleBasedDiscountDriveManagedUsersCartOptimizeRecipeTasksSAPIV2Fre_Enabled:NtpModulesLoadTimeoutMillisecondsParam/3000/use_sapi_v2/true,DesktopNtpSimplification.Enabled_Dev_Canary_Beta:ModuleMinStalenessUpdateTimeInterval/1d/ShortcutsMinStalenessUpdateTimeInterval/1d/StaleModulesCountThreshold/1/StaleShortcutsCountThreshold/3,DesktopNtpTabResumption.TabResumption_Random:use_random_score/true,DesktopOmniboxRichAutocompletionMinChar.Enabled_1_v1:RichAutocompletionAutocompleteShortcutTextMinChar/1/RichAutocompletionAutocompleteTitlesMinChar/1,DesktopOmniboxShortcutBoost.Enabled:ShortcutBoostGroupWithSearches/true/ShortcutBoostNonTopHitSearchThreshold/2/ShortcutBoostNonTopHitThreshold/2/ShortcutBoostSearchScore/1414/ShortcutBoostUrlScore/1414/omnibox_history_cluster_provider_inherit_search_match_score/true/omnibox_history_cluster_provider_score/1414,DesktopPWAInstallPromotionML.Disabled:guardrail_report_prob/0%2E5/max_days_to_store_guardrails/180/model_and_user_decline_report_prob/0%2E5,DiscardInputEventsToRecentlyMovedFrames.DoNotDiscard:distance_factor/100000%2E/time_ms/0,DiscountAutoPopup.Enabled:history-cluster-behavior/1/merchant-wide-behavior/2/non-merchant-wide-behavior/0,DiskCacheBackendExperiment.Sql:SqlDiskCacheLoadIndexOnInit/true/SqlDiskCacheShardCount/3/SqlDiskCacheSynchronousOff/true/backend/sql,DnsHttpsSvcbTimeout.Enabled:UseDnsHttpsSvcbInsecureExtraTimeMax/500ms/UseDnsHttpsSvcbInsecureExtraTimeMin/300ms/UseDnsHttpsSvcbInsecureExtraTimePercent/50/UseDnsHttpsSvcbSecureExtraTimeMax/500ms/UseDnsHttpsSvcbSecureExtraTimeMin/300ms/UseDnsHttpsSvcbSecureExtraTimePercent/50,DownloadWarningSurvey.DownloadBubbleBypass_20240513:en_site_id/ikozJtokP0ugnJ3q1cK0SbwHjMKE/probability/1%2E0/survey_type/0,EnableAsyncUploadAfterVerdict.Enabled:max_parallel_requests/15,EnableDiscountOnShoppyPagesDesktop.Enabled:discount-on-shoppy-page/true,EnableHangWatcher.Enabled:io_thread_log_level/2/renderer_process_io_thread_log_level/2/ui_thread_log_level/2/utility_process_main_thread_log_level/2,EnableHangWatcherOnGpuProcess.Enabled:gpu_process_compositor_thread_log_level/2/gpu_process_io_thread_log_level/2/gpu_process_main_thread_log_level/2,EnableLazyLoadImageForInvisiblePage.Enabled_AllInvisiblePage:enabled_page_type/all_invisible_page,EnableNewUploadSizeLimit.Enabled_200MB:max_file_size_mb/200,ExtensionsZeroStatePromo.Chips_v1:x_iph-variant/custom-ui-chip-iph,ExtremeLightweightUAFDetector.Quarantine_900_100_512_v6:object_size_threshold_in_bytes/512/quarantine_capacity_for_large_objects_in_bytes/0/quarantine_capacity_for_small_objects_in_bytes/1048576/sampling_frequency/100/target_processes/browser_only,FLEDGEBiddingAndAuctionServer.Enabled:FledgeBiddingAndAuctionKeyConfig/%7B%22https%3A%2F%2Fpublickeyservice%2Egcp%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%2C+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%2C+%22https%3A%2F%2Fpublickeyservice%2Epa%2Eaws%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Eaws%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%7D/FledgeBiddingAndAuctionKeyURL/https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys,FenderAutoPreconnectLcpOrigins.EnabledWithOne_20240214:lcpp_preconnect_frequency_threshold/0%2E5/lcpp_preconnect_max_origins/1,GlicActorRolloutControl.Enabled_Dogfood:glic_actor_enterprise_pref_default/enabled_by_default/glic_actor_policy_control_exemption/false,GlicButtonAltLabel.LabelA:glic-button-alt-label-variant/0,GlicClientResponsivenessCheckExtension.Enabled:glic-client-unresponsive-ui-max-time-ms/15000,GlicUserStatusCheckDogfood.Enabled:glic-user-status-oauth2-scope/https%3A%2F%2Fwww%2Egoogleapis%2Ecom%2Fauth%2Fgemini/glic-user-status-request-delay/23h/glic-user-status-url/https%3A%2F%2Fwww%2Eexample%2Ecom%2F,GlicZeroStateSuggestionsDogfood.Enabled:ZSSExtractAnnotatedPageContent/true/ZSSExtractInnerText/false,GoogleLensDesktopImageFormatOptimizations.WebpQualityBackendV6:dismiss-loading-state-on-document-on-load-completed-in-primary-main-frame/false/dismiss-loading-state-on-navigation-entry-committed/true/encoding-quality-image-search/45/encoding-quality-region-search/45/lens-homepage-url/https%3A%2F%2Flens%2Egoogle%2Ecom%2Fv3%2F/lens-html-redirect-fix/false/use-jpeg-for-image-search/false/use-webp-for-image-search/true,GrCacheLimits.cache_96_256_8_default_20230911:MaxDefaultGlyphCacheTextureBytes/8388608/MaxGaneshResourceCacheBytes/100663296/MaxHighEndGaneshResourceCacheBytes/268435456,GroupedHistoryAllLocales.Enabled:JourneysLocaleOrLanguageAllowlist/%2A,HTTP2.Enabled6:http2_grease_settings/true,HandleNonDamagingInputsInScrollJankV4Metric.Experiment_NewBehaviorCountAllFrames:count_non_damaging_frames_towards_histogram_frame_count/true,HappinessTrackingSurveysForHistoryEmbeddings.Enabled:en_site_id/TKWU6DjUi0ugnJ3q1cK0Z69WFqDB/probability/0%2E5,HappyEyeballsV3.EnabledFirstJob:tcp_based_attempt_delay_behavior/first_job,HistoryEmbeddingsV2Images.Enabled:EnableImagesForResults/true,HttpDiskCachePrewarming.WithReadAndDiscardBody_20240328:http_disk_cache_prewarming_main_resource/false/http_disk_cache_prewarming_use_read_and_discard_body_option/true,IgnoreDuplicateNavs.Enabled_threshold_3s:duplicate_nav_threshold/3s,IncreaseHttp3Usage.EnabledWithAll_20251024:AdditionalDelay/100ms/DelayMainJobWithAvailableSpdySession/false/QuicHandshakeTimeout/15s/mtu/1230/quic_options/ORIG,InfoBarPrioritizationAndUIRefresh.Enabled:kMaxLowQueued/1/kMaxVisibleCritical/2/kMaxVisibleDefault/1/kMaxVisibleLow/1,KeyboardLockPrompt.Enabled_PEPC:use_pepc_ui/true,LCPPDeferUnusedPreload.EnableWithPostTask_20240426:load_timing/post_task,LCPPFontURLPredictor.Enabled:lcpp_font_prefetch_threshold/1%2E1/lcpp_font_url_frequency_threshold/0%2E1/lcpp_max_font_url_count_per_origin/5/lcpp_max_font_url_length/1024/lcpp_max_font_url_to_preload/1,LCPPImageLoadingPriority.MediumPriority_20240418:lcpp_adjust_image_load_priority/true/lcpp_adjust_image_load_priority_confidence_threshold/0%2E5/lcpp_adjust_image_load_priority_override_first_n_boost/true/lcpp_enable_image_load_priority_for_htmlimageelement/false/lcpp_enable_perf_improvements/true/lcpp_image_load_priority/medium/lcpp_max_element_locator_length/1024/lcpp_max_histogram_buckets/10/lcpp_max_hosts_to_track/100/lcpp_recorded_lcp_element_types/image_only/lcpp_sliding_window_size/1000,LCPPLazyLoadImagePreload.EnableWithNativeLazyLoading_20231113:lcpp_preload_lazy_load_image_type/native_lazy_loading,LinkPreview.EnabledAltClick:trigger_type/alt_click,LiveCaptionExperimentalLanguages.Enabled:available_languages/en-US%2Cfr-FR%2Cit-IT%2Cde-DE%2Ces-ES%2Cja-JP%2Chi-IN%2Cpt-BR%2Cko-KR%2Cpl-PL%2Cth-TH%2Ctr-TR%2Cid-ID%2Ccmn-Hans-CN%2Ccmn-Hant-TW%2Cvi-VN%2Cru-RU,LocalNetworkAccessChecks.EnabledBlocking:LocalNetworkAccessChecksWarn/false,LogOnDeviceMetricsOnStartup.Enabled:on_device_startup_metric_delay/3m,MultipleSpareRPHs.Enabled2:count/2,NetworkQualityEstimatorAsync.Experiment:defer_until_next_step/false,NetworkQualityEstimatorParameterTuning.Experiment:HalfLifeSeconds/15/RecentEndToEndThresholdInSeconds/60/RecentHTTPThresholdInSeconds/60/RecentTransportThresholdInSeconds/60,NetworkServiceTaskScheduler2.Enabled:http_cache/true/http_cache_transaction/true,NewContentForCheckerboardedScrollsPerFrame.Enabled:mode/per_frame,NotificationTelemetrySwb.Enabled:NotificationTelemetrySwbPollingInterval/60/NotificationTelemetrySwbReportingProbability/1%2E0/NotificationTelemetrySwbSendReports/true,NtpBrowserPromos.Enabled:promo-type/simple,NtpComposeboxDesktop.Enabled:ConfigParam/CgIIAxI8CAEQARoXCAAQ4MZbGMAMIMAMKCgyB2ltYWdlLyoiGwiAhK9fEhQucGRmLGFwcGxpY2F0aW9uL3BkZigB/ShowComposeboxZps/true/ShowContextMenu/true,NtpMicrosoftFilesCard.Enabled_NonInsights:NtpSharepointModuleDataParam/non-insights,NtpRealboxNextDesktop.Enabled:CyclingPlaceholders/true/RealboxLayoutMode/TallTopContext,OcclusionCullingQuadSplitLimit.quad_split_limit_8:num_of_splits/8,OmniboxLogURLScoringSignals.Enabled:enable_scoring_signals_annotators/true,OmniboxOnDeviceHeadModelSelectionFix.Fix:SelectionFix+/true,OptGuideBatchSRPTuning.Enabled_20240624:max_urls_for_srp_fetch/10,OptGuideURLCacheSize.Enabled_20240625:max_url_keyed_hint_cache_size/50,OutOfProcessPrintDriversPrint.Enabled_20230912:EarlyStart/false/JobPrint/true/Sandbox/false,PageActionsMigration.Enabled:ai_mode/true/autofill_address/true/bookmark_star/true/click_to_call/true/collaboration_messaging/true/cookie_controls/true/discounts/true/file_system_access/true/filled_card_information/true/find/true/intent_picker/true/lens_overlay/true/lens_overlay_homework/true/manage_passwords/true/mandatory_reauth/true/memory_saver/true/offer_notification/true/price_insights/true/price_tracking/true/pwa_install/true/reading_mode/true/save_payments/true/sharing_hub/true/translate/true/virtual_card/true/zoom/true,PartitionAllocBackupRefPtr.Enabled:enabled-processes/all-processes,PartitionAllocFreeWithSize.enabled_with_strict_check_20251212:strict-free-size-check/true,PartitionAllocMemoryReclaimer.Interval_8sec:interval/8s/mode/only-when-unprovisioning,PartitionAllocUnretainedDanglingPtr.Enabled:mode/dump_without_crashing,PartitionAllocWithAdvancedChecks.enabled_512K_20250912:PartitionAllocSchedulerLoopQuarantineConfig/%7B%22browser%22%3A%7B%22main%22%3A%7B%22branch-capacity-in-bytes%22%3A524288%2C%22enable-quarantine%22%3Atrue%2C%22enable-zapping%22%3Atrue%2C%22leak-on-destruction%22%3Afalse%7D%7D%7D/enabled-processes/browser-only,PdfInfoBar.EnabledStartup:trigger/startup,PdfInkSignaturesTextHighlighter.enabled:text-highlighting/true,PdfSaveToDriveSurvey.Enabled:consumer-trigger-id/E6hRdJzmG0ugnJ3q1cK0WrDN8qfv/enterprise-trigger-id/NYK9PbTYD0ugnJ3q1cK0Twvu4X5v/probability/1%2E0,PdfUseSkiaRenderer.Enabled:premultiplied-alpha/true,PerfCombined2025.EnabledConservative_20251114:MacCriticalDiskSpacePressureThresholdMB/250/suppress_memory_listeners_mask/0000200200220200020020000002020000000000000000020/suppress_memory_monitor_mask/00020000020000,PerformanceControlsHatsStudy.EnabledHighEfficiencyOptOut_20230223:en_site_id/hEedoxCS30ugnJ3q1cK0YKKzXjSm/probability/1%2E0,PermissionElementPromptPositioning.NearElement:PermissionElementPromptPositioningParam/near_element,PreconnectFromKeyedService.EnabledWithOTRtrue_20250724_Stable:IdleTimeoutInSeconds/30/MaxPreconnectRetryInterval/30/MaxShortSessionThreshold/30s/PingIntervalInSeconds/27/QuicConnectionOptions/ECCP/run_on_otr/true,PreconnectToSearchDesktop.EnabledWithStartupDelayForegroundOnly:skip_in_background/true/startup_delay_ms/5000,Prerender2FallbackPrefetchSpecRules.Enabled_NoTimeout_Burst:kPrerender2FallbackPrefetchSchedulerPolicy/Burst/kPrerender2FallbackPrefetchUseBlockUntilHeadTimetout/false/kPrerender2FallbackUsePreloadServingMetrics/true,PriceTrackingPageActionIconLabelFeatureIPH.Enabled:availability/any/event_trigger/name%3Aprice_tracking_page_action_icon_label_in_trigger%3Bcomparator%3A%3D%3D0%3Bwindow%3A1%3Bstorage%3A365/event_used/name%3Aused%3Bcomparator%3Aany%3Bwindow%3A365%3Bstorage%3A365/session_rate/any,PrivacySandboxAdsAPIs.Enabled_Notice_M1_AllAPIs_Expanded_NoOT_Stable:implementation_type/mparch,PrivacySandboxSentimentSurvey.Enabled:probability/1%2E0/sentiment-survey-trigger-id/EHJUDsZQd0ugnJ3q1cK0Ru5GreU3,ProcessHtmlDataImmediately.AllChunks:first/true/main/true/rest/true,ProgressiveAccessibility2.Enabled:progressive_accessibility_mode/disable_on_hide,PushMessagingGcmEndpointEnvironment.Enabled_Dogfood:PushMessagingGcmEndpointUrl/https%3A%2F%2Fjmt17%2Egoogle%2Ecom%2Ffcm%2Fsend%2F,QUIC.EnabledNoId:channel/D/epoch/20250423/retransmittable_on_wire_timeout_milliseconds/200,ReadAnythingIPHRollout.Enabled:availability/any/distillable_urls/support%2Egoogle%2Ecom%2Cdocs%2Egoogle%2Ecom/event_trigger/name%3Aiph_reading_mode_side_panel_trigger%3Bcomparator%3A%3C%3D3%3Bwindow%3A360%3Bstorage%3A360/event_used/name%3Areading_mode_side_panel_shown%3Bcomparator%3A%3D%3D0%3Bwindow%3A360%3Bstorage%3A360/session_rate/%3D%3D0,ReadAnythingMenuShuffleExperiment.EnabledWithSeparation:read_anything_menu_shuffle_group_name/MenuShuffleSeparation,RedWarningSurvey.RedInterstitial_20241212:RedWarningSurveyDidProceedFilter/TRUE%2CFALSE/RedWarningSurveyTriggerId/ZdMdCoDc50ugnJ3q1cK0VwqVnKb6/probability/1%2E0,RemotePageMetadataDesktopExpansion.Enabled_20240514:supported_countries/%2A/supported_locales/%2A,RenderBlockingFullFrameRate.Enabled:throttle-frame-rate-on-initialization/true,RenderDocumentWithNavigationQueueing.EnabledAllFramesWithQueueing:level/all-frames/queueing_level/full,RendererSideContentDecoding.Enabled:RendererSideContentDecodingForNavigation/true,RestrictSpellingAndGrammarHighlights.ContentsAndEnablementAndSelection:RestrictSpellingAndGrammarHighlightsChangedContents/true/RestrictSpellingAndGrammarHighlightsChangedEnablement/true/RestrictSpellingAndGrammarHighlightsChangedSelection/true,SafeBrowsingDailyPhishingReportsLimit.Enabled:kMaxReportsPerIntervalESB/10,SafeBrowsingExtensionTelemetrySearchHijackingSignal.Enabled:HeuristicCheckIntervalSeconds/28800/HeuristicThreshold/2,SafetyHubDisruptiveNotificationRevocationDesktop.Enabled_Conservative_14d:experiment_version/2/max_engagement_score/0%2E0/min_engagement_score_delta/3%2E0/min_notification_count/6/shadow_run/false/waiting_for_metrics_days/1/waiting_time_as_proposed/14d,SafetyHubIncreasePasswordCheckFrequency.Enabled:background-password-check-interval/10d,SafetyHubOneOffHats.SafetyHub_NoNotification:probability/0%2E0155/safety-hub-ab-control-trigger-id/XxxasK3Zu0ugnJ3q1cK0Yv2LaPos/survey/safety-hub-control,SearchEnginePreconnectInterval.EnabledWith50_20250114:preconnect_interval/50,SearchPrefetchHighPriorityPrefetches.EnabledHighPriorityBothTriggers_20230721:mouse_down/true/navigation_prefetch_param/op/up_or_down/true,SecurityPageHats.Enabled:probability/1/security-page-time/15s/security-page-trigger-id/c4dvJ3Sz70ugnJ3q1cK0SkwJZodD,ServiceWorkerAutoPreload.Enabled:enable_only_when_service_worker_not_running/true/enable_subresource_preload/false/has_web_request_api_proxy/true/respect_navigation_preload/true,ServiceWorkerBackgroundUpdate.PreflightForDSE:AvoidUnnecessaryBeforeUnloadCheckSyncMode/WithSendBeforeUnload,SessionRestoreInfobar.Enabled_ContinueDefault:continue_session/true,SettingSearchExplorationHaTS.Enabled:en_site_id/JcjxgSDnh0ugnJ3q1cK0UVkwDj1o/probability/1%2E0/settings-time/10s/survey/settings,SharedHighlightingIphDesktop.Enabled:availability/any/event_1/name%3Aiph_desktop_shared_highlighting_trigger%3Bcomparator%3A%3D%3D0%3Bwindow%3A7%3Bstorage%3A360/event_trigger/name%3Aiph_desktop_shared_highlighting_trigger%3Bcomparator%3A%3C5%3Bwindow%3A360%3Bstorage%3A360/event_used/name%3Aiph_desktop_shared_highlighting_used%3Bcomparator%3A%3C2%3Bwindow%3A360%3Bstorage%3A360/session_rate/any,SidePanelCompanionDesktopM116Plus.EnableCompanionChromeOS_20240222:open-companion-for-image-search/false/open-companion-for-web-search/false/open-contextual-lens-panel/false/open-links-in-current-tab/false,SideSearchInProductHelp.Enabled:availability/any/event_trigger/name%3Aside_search_iph_tgr%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/event_used/name%3Aside_search_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/session_rate/%3C3,SkiaGraphite.Enabled:dawn_backend_validation/false/dawn_skip_validation/true,SkiaGraphiteSmallPathAtlas.Enabled:min_path_size_for_msaa/32,SkipIPCChannelPausingForNonGuestsStudy.Enabled_20251030:internal_webui_only/false,SkipPagehideInCommitForDSENavigation.Enabled:delay/100ms,SlopBucket.Enabled:chunk_size/524288/enabled_for_cache_response/true/max_chunks_per_request/8/max_chunks_total/32/memory_pressure_disable_level/MODERATE/min_buffer_size/32768/require_priority/MEDIUM,SpeculativeServiceWorkerWarmUp.Enabled_05m_05c_20250214:sw_warm_up_duration/5m/sw_warm_up_max_count/5/sw_warm_up_on_idle_timeout/false/sw_warm_up_request_queue_length/100,SubframeProcessShutdownDelay.EnabledDelay10s:delay_seconds/10,SuppressesNetworkActivitiesOnSlowNetwork.SuppressesAll:slow_network_threshold/208ms/slow_network_threshold_for_prerendering/208ms/slow_network_threshold_for_search_prefetch/208ms,SyncBookmarksLimit.Limit250k:sync-bookmarks-limit-value/250000,SyncIncreaseNudgeDelayForSingleClient.EnabledFactor2:SyncIncreaseNudgeDelayForSingleClientFactor/2%2E0,TabAudioMuting.Enabled:availability/any/event_trigger/name%3Atab_audio_muting_iph_triggered%3Bcomparator%3A%3D%3D0%3Bwindow%3A120%3Bstorage%3A365/event_used/name%3Atab_audio_muting_toggle_viewed%3Bcomparator%3A%3D%3D0%3Bwindow%3A120%3Bstorage%3A365/session_rate/%3D%3D0,TabSearchInProductHelp.TabSearchIPH:availability/any/event_trigger/name%3Atab_search_iph_tgr%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/event_used/name%3Atab_search_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/session_rate/%3C3,TabstripComboButton.Enabled:tab_search_toolbar_button/true,TcpSocketPoolLimitRandomization.Enabled_256:TcpSocketPoolLimitRandomizationBase/0%2E000001/TcpSocketPoolLimitRandomizationCapacity/256/TcpSocketPoolLimitRandomizationMinimum/0%2E01/TcpSocketPoolLimitRandomizationNoise/0%2E2,TraceSiteInstanceGetProcessCreation.EnabledAndCrash:crash_on_creation/true,TrustSafetySentimentSurvey.Enabled:max-time-to-prompt/60m/min-time-to-prompt/2m/ntp-visits-max-range/4/ntp-visits-min-range/2/privacy-sandbox-3-consent-accept-probability/0%2E2/privacy-sandbox-3-consent-accept-trigger-id/5t9KNsR4e0ugnJ3q1cK0RPfRpsbm/privacy-sandbox-3-consent-decline-probability/0%2E2/privacy-sandbox-3-consent-decline-trigger-id/P5svv2BbH0ugnJ3q1cK0YhTWZkiM/privacy-sandbox-3-notice-dismiss-probability/0%2E2/privacy-sandbox-3-notice-dismiss-trigger-id/2gMg6iHpn0ugnJ3q1cK0XyL2C2EX/privacy-sandbox-3-notice-ok-probability/0%2E2/privacy-sandbox-3-notice-ok-trigger-id/vBraRD9GZ0ugnJ3q1cK0T1owvGGa/privacy-sandbox-3-notice-settings-probability/0%2E2/privacy-sandbox-3-notice-settings-trigger-id/WZpnNehvi0ugnJ3q1cK0Nsdcf1Vf/privacy-settings-probability/0%2E0/probability/1%2E0/transactions-probability/0%2E0/trusted-surface-probability/0%2E0,TrustSafetySentimentSurveyV2.Enabled_20240212:browsing-data-probability/0%2E0/browsing-data-trigger-id/1iSgej9Tq0ugnJ3q1cK0QwXZ12oo/control-group-probability/0%2E0/control-group-trigger-id/CXMbsBddw0ugnJ3q1cK0QJM1Hu8m/download-warning-ui-probability/0%2E0/download-warning-ui-trigger-id/7SS4sg4oR0ugnJ3q1cK0TNvCvd8U/max-time-to-prompt/60m/min-session-time/30s/min-time-to-prompt/2m/ntp-visits-max-range/4/ntp-visits-min-range/2/password-check-probability/0%2E0/password-check-trigger-id/Xd54YDVNJ0ugnJ3q1cK0UYBRruNH/password-protection-ui-probability/0%2E0/password-protection-ui-trigger-id/bQBRghu5w0ugnJ3q1cK0RrqdqVRP/privacy-guide-probability/0%2E0/privacy-guide-trigger-id/tqR1rjeDu0ugnJ3q1cK0P9yJEq7Z/probability/0%2E0/safe-browsing-interstitial-probability/0%2E0/safe-browsing-interstitial-trigger-id/Z9pSWP53n0ugnJ3q1cK0Y6YkGRpU/safety-check-probability/0%2E0/safety-check-trigger-id/YSDfPVMnX0ugnJ3q1cK0RxEhwkay/safety-hub-interaction-probability/0%2E0/safety-hub-interaction-trigger-id/TZq2S4frt0ugnJ3q1cK0Q5Yd4YJM/safety-hub-notification-probability/0%2E0/safety-hub-notification-trigger-id/kJV17f8Lv0ugnJ3q1cK0Nptk37ct/trusted-surface-probability/0%2E0/trusted-surface-time/5s/trusted-surface-trigger-id/CMniDmzgE0ugnJ3q1cK0U6PaEn1f,TrustTokenOriginTrial.Enabled:TrustTokenOperationsRequiringOriginTrial/all-operations-require-origin-trial,UMA-NonUniformity-Trial-1-Percent.group_01:delta/0%2E01,UMA-Pseudo-Metrics-Effect-Injection-25-Percent.BigEffect_01:multiplicative_factor/1%2E05,UkmSamplingRate.Sampled_NoSeed_Other:_default_sampling/1,UserBypassUI.Enabled:expiration/90d,V8CodeFlushing.Time180:bytecode_old_time/180,V8ExternalMemoryAccountedInGlobalLimit.Enabled:external_memory_max_growing_factor/1%2E3,V8IneffectiveMarkCompact.HighSizeThreshold:ineffective_gc_size_threshold/0%2E95,V8PreconfigureOldGen.Enabled:V8PreconfigureOldGenSize/16,VariationsStickyPersistence.PersistViaCommitWrite_20260107:persistence_type/commit,VerifyDidCommitParams.Enabled:gesture/true/http_status_code/true/intended_as_new_entry/true/is_overriding_user_agent/true/method/true/origin/true/post_id/true/should_replace_current_entry/true/should_update_history/true/url/true/url_is_unreachable/true,VisitedURLRankingService.VisitedURLRankingService:VisitedURLRankingFetchDurationInHoursParam/168,WebContentsDiscard.EnabledIgnoreWorkers:urgent_discard_ignore_workers/true,WebRTC-ZeroPlayoutDelay.min_pacing%3A0ms%2Cmax_decode_queue_size%3A8%2C:max_post_decode_queue_size/10/reduce_steady_state_queue_size_threshold/20,WhatsNewHats.Enabled_en_20241016:en_site_id/6bnVh68QF0ugnJ3q1cK0NQxjpCFS/probability/0%2E01,WhatsNewRefresh.Enabled:en_site_id/p5xavcMU50ugnJ3q1cK0R26c3Tsi,WhatsNewSparkEdition.Enabled_benefits:whats_new_customization/BENEFITS/whats_new_survey_id/PsSZ5E6nP0ugnJ3q1cK0WcE1Zf8H,ZPSPrefetchDebouncingDesktop.Enabled_300ms_FromLastRun:ZeroSuggestPrefetchDebounceDelay/300/ZeroSuggestPrefetchDebounceFromLastRun/true,ZeroStateSuggestionsV2.Enabled:ZSSMaxPinnedPagesForTriggeringSuggestions/10","force-fieldtrials":"AIMHintText/ThreePerDayFifteenTotal/ANGLEPerContextBlobCache/Enabled/AVFoundationCaptureForwardSampleTimestamps/Disabled/AXBlockFlowIterator/Enabled/AXRandomizedStressTests/Enabled/AXTreeFixing/Enabled/*AccessibilityPerformanceMeasurementExperiment/Control2025-07-08/AccessibilitySerializationSizeMetrics/Enabled/*AggressiveShaderCacheLimits/Enabled/AlignPdfDefaultPrintSettingsWithHTML/Enabled/AllowChangingSelectedContent/Enabled/AllowDatapipeDrainedAsBytesConsumerInBFCache/Enabled/AnimationForDesktopCapturePermissionChecker/Enabled/AnnotatedPageContentExtraction/Glic/AsyncQuicSession/Enabled/AsyncTouchMovesImmediatelyAfterScroll/Enabled/AudioDecoderAudioFileReader/Enabled/AudioInputConfirmReadsViaShmem/Enabled/AutoDisableAccessibility/Enabled/AutoSpeculationRules/Enabled_20231201/AutofillAddressSuggestionsOnTyping/Enabled_20251023/AutofillAddressUserPerceptionSurveyUS/Enabled/*AutofillAiM3PublicPasses/Enabled/AutofillAllowFillingModifiedInitialValues/Enabled/AutofillBetterLocalHeuristicPlaceholderSupport/Enabled/AutofillCreditCardUserPerceptionSurvey/Enabled/AutofillEnableBuyNowPayLaterDesktop/Enabled/AutofillEnableBuyNowPayLaterForExternallyLinked/Enabled/AutofillEnableBuyNowPayLaterForKlarna/Enabled/AutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString/Enabled/AutofillEnableExpirationDateImprovements/Enabled/AutofillEnableFillingPhoneCountryCodesByAddressCountryCodes/Enabled/AutofillEnableFpanRiskBasedAuthentication/Enabled/AutofillEnableLabelPrecedenceForTurkishAddresses/Enabled/AutofillEnableSaveAndFill/Enabled/AutofillEnableSupportForHomeAndWork/Enabled/AutofillEnableSupportForNameAndEmail/Enabled/AutofillEnableSupportForParsingWithSharedLabels/Enabled/AutofillExtendZipCodeValidation/Enabled/AutofillFixCivilStateMisclassificationForESPT/Enabled/AutofillFixFormEquality/Enabled/AutofillFixRewriterRules/Enabled/AutofillFixStateCountryMisclassification/Enabled/AutofillI18nINAddressModel/Enabled/AutofillIgnoreCheckableElements/Enabled/AutofillImproveAddressFieldSwapping/Enabled/AutofillImproveSubmissionDetectionV3/Enabled_All/AutofillImprovedLabels/Enabled_WithDifferentiatingLabelsInFront/AutofillModelPredictions/Enabled/AutofillMoveSmallFormLogicToClient/Enabled/AutofillOptimizeCacheUpdates/Enabled/AutofillPageLanguageDetection/Enabled/AutofillPasswordUserPerceptionSurvey/Enabled/AutofillPaymentsFieldSwapping/Enabled/AutofillPopupDontAcceptNonVisibleEnoughSuggestion/Enabled/AutofillPreferBuyNowPayLaterBlocklists/Enabled/AutofillPrioritizeSaveCardOverMandatoryReauth/Enabled/AutofillReintroduceHybridPasskeyDropdownItem/Enabled/AutofillServerExperimentalSignatures/Enabled/AutofillSharedStorageServerCardData/Enabled/AutofillShowBubblesBasedOnPriorities/Enabled/AutofillStructuredFieldsDisableAddressLines/Enabled/AutofillSupportLastNamePrefix/Enabled/AutofillSupportPhoneticNameForJP/Enabled/AutofillSupportSplitZipCode/Enabled/AutofillSurveys/Card_20230606/AutofillUKMExperimentalFields/Enabled/AutofillUnmaskCardRequestTimeout/Enabled/AutofillUpstream/Enabled_20220124/AutofillVcnEnrollStrikeExpiryTime/Enabled/AutomatedPasswordChangeStudyModelUsage/Enabled/AutomatedPasswordChangeStudyV4/Enabled/AvoidDuplicateDelayBeginFrame/Enabled/AvoidEntryCreationForNoStore/Enabled/AvoidForcedLayoutOnInvisibleDocumentClose/Enabled/AvoidTrustedParamsCopies/Enabled/AvoidUnnecessaryForcedLayoutMeasurements/Enabled/BackForwardCacheNonStickyDoubleFix/Holdback/BackForwardCacheNotRestoredReasons/Enabled/BackForwardCacheWithSharedWorker/Enabled_20250708/BackNavigationMenuIPH/EnabledIPHWhenUserPerformsChainedBackNavigation_20230510/BackgroundResourceFetch/Enabled/BatterySaverModeAlignWakeUps/Enabled/*BeaconLeakageLogging/Enabled_v1/BlinkLifecycleScriptForbidden/Enabled/BookmarksImportOnFirstRun/Enabled/BookmarksTreeView/Enabled/BookmarksUseBinaryTreeInTitledUrlIndex/Enabled/*BoostClosingTabs/Enabled/BoundaryEventDispatchTracksNodeRemoval/Enabled/BrowserInitiatedAutomaticPictureInPicture/Enabled/BrowserSignalsReportingEnabled/Enabled/*BrowserThreadPoolAdjustmentForDesktop/thread_pool_default_20230920/BrowsingHistoryActorIntegrationM2/Enabled/BrowsingHistoryActorIntegrationM3/Enabled/BubbleMetricsApi/Enabled/CADisplayLinkInBrowser/Enabled/CSSReadingFlow/Enabled/CacheSharingForPervasiveScripts/Enabled_20250520/Canvas2DAutoFlushParams/Candidate/Canvas2DHibernationNoSmallCanvas/Enabled/Canvas2DReclaimUnusedResources/Enabled/CanvasHibernationExperiments/Enabled/CanvasTextNg/Enabled/CastStreamingHardwareHevc/Enabled/CastStreamingMediaVideoEncoder/Enabled/ChangeGeneratedCodeCacheSize/Enabled/ChromeCompose/Enabled/ChromeWallpaperSearchGlobal/WallpaperSearchGlobal/ChromeWallpaperSearchHaTS/Enabled/ChromeWallpaperSearchLaunch/DefaultOnLaunched/ChromeWebStoreNavigationThrottle/Enabled/*ChromeWideEchoCancellation/Enabled_20220412/ChromnientAimM3/Enabled/ChromnientEduActionChipV2/TestConfig/ChromnientEntrypointLabelAlt/Enabled/ChromnientNonBlockingPrivacyNotice/Enabled/ChromnientReinvocationAffordance/Enabled/ChromnientSidePanelOpenInNewTab/Enabled/ChromnientStraightToSrp/Enabled/ChromnientSurvey/Enabled/ChromnientTextSelectionContextMenuEntrypoint/Enabled_Contextualized/ChromnientUpdatedClientContext/Enabled_20250826/ChromnientUpdatedFeedbackEntrypoint/Enabled/ChromnientUpdatedVisuals/VisualUpdatesEnabled/ChromnientVideoCitations/Enabled/ChromnientZeroStateCsb/Enabled/ClearGrShaderDiskCacheOnInvalidPrefix/Enabled/ClientSideDetectionClipboardCopyApi/Enabled/ClientSideDetectionCreditCardForm/Enabled/ClientSideDetectionRetryLimit/Enabled/ClientSideDetectionSamplePing/Enabled/ClientSideDetectionSendLlamaForcedTriggerInfo/Enabled/ClientSideDetectionSkipErrorPage/Enabled/CloneDevToolsConnectionOnlyIfRequested/Enabled/CoalesceSelectionchangeEvent/Enabled/CommerceLocalPDPDetection/Enabled/Compare/Enabled_Dogfood/CompensateGestureDetectorTimeouts/Enabled/ComposeAXSnapshot/Enabled/ComposeAcceptanceSurvey/Enabled/ComposeCloseSurvey/Enabled/ComposeModelQualityLogging/ComposeLoggingEnabled_Dogfood/ComposeOnDeviceModel/Enabled/ComposeProactiveNudgePosition/Enabled_CursorNudgeModel/CompositeClipPathAnimation/Enabled/CompressionDictionaryPreload/EnabledPreloadConditionalUse/CompressionDictionaryTTL/Enable/CompressionDictionaryTransportRequireKnownRootCert/Disable/ConditionalImageResize/Enabled/ConfigurableV8CodeCacheHotHours/cache_72h_20230904/ConnectionKeepAliveForHttp2/EnabledWithBindReceiversEverytime_20251111_CanaryDev/ContentVerifierCacheIncludesExtensionRoot/Enabled/ContentVerifyJobUseJobVersionForHashing/Enabled/ContextualSearchBox/Enabled_AutoFocus_ApcOnly_UiUpdates_20250613/ContextualSuggestionsAnimationImprovements/LoadingSuggestionsAnimationEnabled/ContextualTasksContext/Enabled/ContextualTasksDesktop/Enabled/CookieDeprecationFacilitatedTestingCookieDeprecation/Treatment_PreStable_20231002/CookieSameSiteConsidersRedirectChainDesktop/Enabled/CreateURLLoaderPipeAsync/Enabled/CustomizableSelect/Enabled/CustomizeChromeSidePanelExtensionsCard/Enabled/DBSCMacUKSInBrowserProcess/Enabled_20251217/DSEPreconnect2/EnabledWithbase_60_30_30_30__20250507/DTCKeyRotationUploadedBySharedAPIEnabled/Enabled/DecommitPooledPages/Enabled/*DefaultBrowserFramework/Enabled/DefaultSiteInstanceGroups/Enabled/DeferSpeculativeRFHCreation/EnabledWithPrewarmAndDelay/DelayRfhDestructionsOnUnloadAndDetach/Enabled/DeprecateUnload/Enabled_135/DesktopCapturePermissionCheckerPreMacos14_4/Enabled/DesktopMediaPickerCheckAudioPermissions/Enabled/DesktopNtpDriveCache/Cache_1m/DesktopNtpImageErrorDetection/ImageErrorDetection/DesktopNtpMiddleSlotPromoDismissal/MiddleSlotPromoDismissal/DesktopNtpMobilePromo/Enabled_20241101/DesktopNtpModules/RecipeTasksRuleBasedDiscountDriveManagedUsersCartOptimizeRecipeTasksSAPIV2Fre_Enabled/DesktopNtpModulesTabGroups/Control_20251027/DesktopNtpOneGoogleBarAsyncBarParts/Enabled/DesktopNtpSimplification/Enabled_Dev_Canary_Beta/DesktopNtpTabResumption/TabResumption_Random/DesktopOmniboxCalculatorProvider/Enabled/DesktopOmniboxRichAutocompletionMinChar/Enabled_1_v1/DesktopOmniboxShortcutBoost/Enabled/DesktopOmniboxStarterPackExpansion/Enabled/DesktopPWAInstallPromotionML/Disabled/DesktopPWAsPredictableAppUpdating/Enabled/DevToolsConsoleInsightsTeasers/Enabled/DisablePartialStorageCleanupForGPUDiskCache/Enabled/DisableUrgentPageDiscarding/Disabled/DiscardInputEventsToRecentlyMovedFrames/DoNotDiscard/DiscountAutoPopup/Enabled/DiskCacheBackendExperiment/Sql/DlpRegionalizedEndpoints/Enabled/DnsHttpsSvcbTimeout/Enabled/DnsOverHttpsQuad9Secure/Enabled/DoNotEvictOnAXLocationChange/Enabled/DownloadWarningSurvey/DownloadBubbleBypass_20240513/*DwaFeature/Enabled/*DynamicProfileCountry/Enabled/EnableAsyncUploadAfterVerdict/Enabled/*EnableBestEffortTaskInhibitingPolicy/Enabled/EnableDiscountOnShoppyPagesDesktop/Enabled/EnableDrDc/Enableds/EnableForceDownloadToCloud/Enabled/*EnableHangWatcher/Enabled/EnableHangWatcherOnGpuProcess/Enabled/EnableLazyLoadImageForInvisiblePage/Enabled_AllInvisiblePage/EnableManagementPromotionBanner/Enabled/EnableNewUploadSizeLimit/Enabled_200MB/EnablePDPMetricsUSDesktopIOS/Enabled/EnablePolicyPromotionBanner/Enabled/EnablePrintWatermark/Disabled/EnableShouldShowPromotion/Enabled/EnableSinglePageAppDataProtection/Enabled/*EnableTLS13EarlyData/Enabled/EnableWatermarkCustomization/Enabled/EnableWatermarkTestPage/Enabled/EnhancedFieldsForSecOps/Enabled/EnterpriseActiveUserDetection/Enabled/EnterpriseBadgingForNtpFooter/Enabled/EnterpriseFileObfuscation/Enabled/EnterpriseFileObfuscationArchiveAnalyzer/Enabled/EnterpriseFileSystemAccessDeepScan/Enabled/EnterpriseIframeDlpRulesSupport/Enabled/EventTimingIgnorePresentationTimeFromUnexpectedFrameSource/Enabled/ExtensionManifestV2Deprecation/Enabled_MV2ExtensionsUnsupported/ExtensionsToolbarAndMenuRedesign/Enabled/ExtensionsZeroStatePromo/Chips_v1/*ExtremeLightweightUAFDetector/Quarantine_900_100_512_v6/FLEDGEBiddingAndAuctionServer/Enabled/FedCmSegmentationPlatform/SegmentationPlatform/FencedFramesEnableCredentialsForAutomaticBeacons/Enabled/FencedFramesEnableReportEventHeaderChanges/Enabled/FencedFramesEnableSrcPermissionsPolicy/Enabled/FenderAutoPreconnectLcpOrigins/EnabledWithOne_20240214/FetchLaterAPI/Enabled_20240112/FieldRankServerClassification/FieldRankServerClassification_Experiment_20250422/FlushPersistentSystemProfileOnWrite/Enabled/FrameRoutingCache/Enabled/GCMUseDedicatedNetworkThread/Enabled/Glic1PTools/Enabled/GlicActOnWebCapabilityForManagedTrials/Enabled_Dogfood/GlicActorRolloutControl/Enabled_Dogfood/GlicActorUiTabIndicatorSpinnerIgnoreReducedMotion/Enabled/GlicButtonAltLabel/LabelA/GlicClientResponsivenessCheckExtension/Enabled/GlicClosedCaptioning/Enabled/*GlicDogfood/Enabled/GlicEnableMultiInstanceBasedOnTier/Enabled/GlicEntrypointVariations/Control_MultiArm/GlicForceNonSkSLBorder/Enabled/GlicForceSimplifiedBorder/Enabled/GlicFreWarming/Enabled/GlicGA/Enabled/GlicGeminiInstructions/Enabled/GlicHandoffButtonHiddenClientControl/Enabled/GlicMediaData/Enabled/GlicPersonalContext/Enabled/GlicResetPanelSizeAndLocationOnOpen/Enabled/GlicShareImage/Enabled_20251023/GlicTieredRollout/Enabled/GlicUserStatusCheckDogfood/Enabled/GlicWarming/Enabled/GlicZeroStateSuggestionsDogfood/Enabled/GoogleLensDesktopImageFormatOptimizations/WebpQualityBackendV6/GpuYieldRasterization/Enabled/GrCacheLimits/cache_96_256_8_default_20230911/GroupedHistoryAllLocales/Enabled/HTTP2/Enabled6/HandleNonDamagingInputsInScrollJankV4Metric/Experiment_NewBehaviorCountAllFrames/HangoutsExtensionV3/Enabled/HappinessTrackingSurveysForHistoryEmbeddings/Enabled/*HappyEyeballsV3/EnabledFirstJob/*HeapProfilerBloomFilter/DisabledControl_20251203/HideDelegatedFrameHostMac/Enabled/HistoryEmbeddingsV2Images/Enabled/HistoryQueryOnlyLocalFirst/Enabled/HttpCacheInitializeDiskCacheBackendEarly/Enabled/*HttpCacheNoVarySearch/Enabled_NVS_HttpCache_And_Omnibox_Prefetch/HttpDiskCachePrewarming/WithReadAndDiscardBody_20240328/HttpsFirstBalancedModeAutoEnable/Enabled/HttpsFirstModeV2ForTypicallySecureUsers/Enabled/IdbSqliteBackingStoreInMemoryContexts/Enabled/IgnoreDiscardAttemptMarker/Enabled/IgnoreDuplicateNavs/Enabled_threshold_3s/IgnoreDuplicateNavsOnlyWithUserGesture/Enabled/ImageDescriptionsAlternateRouting/Enabled/ImmersiveReadAnything/Enabled/IncreaseHttp3Usage/EnabledWithAll_20251024/IncreasedCmdBufferParseSlice/Enabled/InfoBarPrioritizationAndUIRefresh/Enabled/InhibitSQLPreload/InhibitSQLPreload/InhibitSQLReleaseCacheMemoryIfNeeded/InhibitSQLReleaseCacheMemoryIfNeeded/InlineFullscreenPerfExperiment/Enabled/IsolatesPriorityUseProcessPriority/Enabled/*JobPriorityBoosting/Enabled/*KeepDefaultSearchEngineAlive/EnabledDSEKeepAlive/KeyboardLockPrompt/Enabled_PEPC/LCPPDeferUnusedPreload/EnableWithPostTask_20240426/LCPPFontURLPredictor/Enabled/LCPPImageLoadingPriority/MediumPriority_20240418/LCPPLazyLoadImagePreload/EnableWithNativeLazyLoading_20231113/LCPPPrefetchSubresource/Enabled/LCPTimingPredictorPrerender2/Enabled/LazyBlinkTimezoneInit/Enabled/LazyUpdateTranslateModel/Enabled/LegacyKeyRepeatSynthesis/Disabled/LevelDBCacheSize/Enabled/LinkPreview/EnabledAltClick/LiveCaptionExperimentalLanguages/Enabled/LoadAllTabsAtStartup/Enabled/LoadingPredictorLimitPreconnectSocketCount/Enabled/LocalNetworkAccessChecks/EnabledBlocking/LocalNetworkAccessChecksWebSockets/Enabled/LocalNetworkAccessChecksWebTransport/Enabled/LogOnDeviceMetricsOnStartup/Enabled/LongAnimationFrameSourceCharPosition/Enabled/MHTML_Improvements/Enabled/MacAccessibilityAPIMigration/Enabled/MacICloudKeychainRecoveryFactor/Enabled/MainIdleBypassSchedulerExperiment/Enabled/*MainNodeAnnotationsRollout/Enabled/ManagedProfileRequiredInterstitial/Enabled/MediaDeviceIdStoragePartitioning/Enabled/MemoryConsumerForNGShapeCache/Enabled/MemoryCoordinatorLastResortGC/Enabled/*MetricsLogTrimming/Enabled/MetricsRenderFrameObserverImprovement/Enabled/MigrateDefaultChromeAppToWebAppsGSuite/Enabled_20210111/MigrateDefaultChromeAppToWebAppsNonGSuite/Enabled_20210111/MobilePromoOnDesktopWithQRCode/Enabled/MobilePromoOnDesktopWithReminder/Enabled/MojoChannelAssociatedSendUsesRunOrPostTask/Enabled/MultipleSpareRPHs/Enabled2/NavigationThrottleRegistryAttributeCache/Enabled/NetworkQualityEstimatorAsync/Experiment/NetworkQualityEstimatorParameterTuning/Experiment/NetworkServicePerPriorityTaskQueues/Enabled/NetworkServiceTaskScheduler2/Enabled/NewContentForCheckerboardedScrollsPerFrame/Enabled/NoPasswordSuggestionFiltering/Enabled/NoThrottlingVisibleAgent/Enabled/NonStandardAppearanceValueSliderVertical/Disabled/NotificationTelemetrySwb/Enabled/NtpBrowserPromos/Enabled/NtpComposeboxDesktop/Enabled/NtpCustomizeChromeAutoOpen/Control/NtpMicrosoftFilesCard/Enabled_NonInsights/NtpRealboxNextDesktop/Enabled/OcclusionCullingQuadSplitLimit/quad_split_limit_8/OfferPinToTaskbarInfoBar/Enabled/OffloadAcceptCHFrameCheck/Enabled/OidcAuthProfileManagement/Enabled/OmitBlurEventOnElementRemoval/Enabled/OmniboxBundledExperimentV1/DesktopExperiments/OmniboxLogURLScoringSignals/Enabled/OmniboxOnDeviceBrainModel/Enabled/OmniboxOnDeviceHeadModelSelectionFix/Fix/OmniboxStarterPackIPH/Enabled/OnBeginFrameThrottleVideoDesktop/Enabled/OptGuideBatchSRPTuning/Enabled_20240624/OptGuideURLCacheSize/Enabled_20240625/OptimizationGuideOnDeviceModelCpuBackend/Enabled/OriginMatcherNewCopyAssignment/Enabled/OutOfProcessPrintDriversPrint/Enabled_20230912/OverscrollBehaviorRespectedOnAllScrollContainers/Enabled/PageActionsMigration/Enabled/PageInfoAboutThisSite40Langs/Enabled_231129/PaintHoldingOOPIF/Enabled/ParkableStringsLessAggressiveAndZstd/Enabled/*PartialPageZeroing/EnabledPAAndV8_20241106/*PartitionAllocBackupRefPtr/Enabled/*PartitionAllocFreeWithSize/enabled_with_strict_check_20251212/*PartitionAllocMemoryReclaimer/Interval_8sec/PartitionAllocShortMemoryReclaim/Enabled/*PartitionAllocUnretainedDanglingPtr/Enabled/*PartitionAllocWithAdvancedChecks/enabled_512K_20250912/PartitionNetworkStateByNetworkAnonymizationKey/EnableFeatureForTests/*PassHistogramSharedMemoryOnLaunch/Enabled/PassageEmbeddingsPerformance/Disabled/*PasskeyUnlockManager/Enabled/Path2DPaintCache/Enabled/PdfGetSaveDataInBlocks/Enabled/PdfInfoBar/EnabledStartup/*PdfInkSignaturesTextHighlighter/enabled/*PdfSaveToDrive/Enabled/PdfSaveToDriveSurvey/Enabled/PdfUseShowSaveFilePicker/Enabled/PdfUseSkiaRenderer/Enabled/*PerfCombined2025/EnabledConservative_20251114/PerformanceControlsHatsStudy/EnabledHighEfficiencyOptOut_20230223/PermissionElementPromptPositioning/NearElement/PermissionPromiseLifetimeModulation/Enabled/PermissionSiteSettingsRadioButton/Enabled/PermissionsAIP92/Enabled/PermissionsAIv3/Enabled/PermissionsAIv4/Enabled/PlusAddressAcceptedFirstTimeCreateSurvey/Enabled/PlusAddressDeclinedFirstTimeCreateSurvey/Enabled/PlusAddressFilledPlusAddressViaManualFallbackSurvey/Enabled/PlusAddressUserCreatedMultiplePlusAddressesSurvey/Enabled/PlusAddressUserCreatedPlusAddressViaManualFallbackSurvey/Enabled/PlusAddressUserDidChooseEmailOverPlusAddressSurvey/Enabled/PlusAddressUserDidChoosePlusAddressOverEmailSurvey/Enabled/PlusAddressesExperiment/Enabled/PlzDedicatedWorker/Enabled/PolicyBlocklistProceedUntilResponse/Holdback/PowerBookmarkBackend/Enabled/*PreconnectFromKeyedService/EnabledWithOTRtrue_20250724_Stable/PreconnectToSearchDesktop/EnabledWithStartupDelayForegroundOnly/PrefetchBookmarkBarTrigger/Enabled/PrefetchNewTabPageTrigger/Enabled/PrefetchProxyDesktop/Enabled/PrefetchServiceWorkerNoFetchHandlerFix/Enabled/PrefixCookieHttp/Enabled/PreloadTopChromeWebUILessNavigations/Enabled/Prerender2EarlyDocumentLifecycleUpdateV2/Enabled/Prerender2FallbackPrefetchSpecRules/Enabled_NoTimeout_Burst/Prerender2WarmUpCompositorForBookmarkBar/Enabled/Prerender2WarmUpCompositorForNewTabPage/Enabled/Prerender2WarmUpCompositorForSpeculationRules/Enabled/PreserveDiscardableImageMapQuality/Enabled/PriceInsightsDesktopExpansionStudy/Enabled_20250617_EN/PriceTrackingDesktopExpansionStudy/Enabled/PriceTrackingPageActionIconLabelFeatureIPH/Enabled/*PrivacySandboxAdsAPIs/Enabled_Notice_M1_AllAPIs_Expanded_NoOT_Stable/PrivacySandboxInternalsDevUI/Enabled_Dogfood/PrivacySandboxSentimentSurvey/Enabled/PrivateAggregationApiErrorReporting/Enabled/PrivateStateTokens/Enabled/ProcessHtmlDataImmediately/AllChunks/ProcessIsolationForFencedFrames/Enabled/ProfileCreationDeclineSigninCTAExperiment/Control/ProfileExperimentsM0/Control/ProfileExperimentsM1FrictionReduction/Control/ProfileExperimentsM1UsabilityHypothesis/Control/ProfileRemoteCommands/Enabled/ProfileSignalsReportingEnabled/Enabled/ProfilesReordering/Enabled/ProgressiveAccessibility2/Enabled/ProtoBasedEnterpriseReporting/Enabled/PruneOldTransferCacheEntries/Enabled/PsDualWritePrefsToNoticeStorage/Enabled/PushMessagingDisallowSenderIDs/Enabled/PushMessagingGcmEndpointEnvironment/Enabled_Dogfood/PushMessagingGcmEndpointWebpushPath/Enabled_Dogfood/QUIC/EnabledNoId/QuicLongerIdleConnectionTimeout/Enabled/ReadAnythingIPHRollout/Enabled/ReadAnythingLineFocusExperiment/Enabled/ReadAnythingMenuShuffleExperiment/EnabledWithSeparation/*ReadAnythingReadAloudPhraseHighlighting/Enabled/ReadAnythingReadAloudTsTextSegmentation/Enabled/RedWarningSurvey/RedInterstitial_20241212/ReduceAcceptLanguage/Enabled/ReduceAcceptLanguageHTTP/Enabled/*ReduceIPAddressChangeNotification/Enabled/ReduceIPCCombined/EnabledUkmReduceAddEntryIPC/RemotePageMetadataDesktopExpansion/Enabled_20240514/RemoveDataUrlInSvgUse/Enabled/RemoveGraphicsUKMs/Disabled/RemoveRendererProcessLimit/Enabled/RenderBlockingFullFrameRate/Enabled/RenderDocumentWithNavigationQueueing/EnabledAllFramesWithQueueing/RendererSideContentDecoding/Enabled/RequestMainFrameAfterFirstVideoFrame/Enabled/ResolutionBasedDecoderPriority/Enabled/RestrictPendingInputEventTypeToBlockMainThread/Enabled/RestrictSpellingAndGrammarHighlights/ContentsAndEnablementAndSelection/ResumeNavigationWithSpeculativeRFHProcessGone/Enabled/RetryGetVideoCaptureDeviceInfos/Enabled/RollBackModeB/Enabled/SafeBrowsingDailyPhishingReportsLimit/Enabled/SafeBrowsingExtensionTelemetrySearchHijackingSignal/Enabled/SafeBrowsingExternalAppRedirectTelemetry/Enabled/SafetyCheckUnusedSitePermissions/Enabled/SafetyHubDisruptiveNotificationRevocationDesktop/Enabled_Conservative_14d/SafetyHubIncreasePasswordCheckFrequency/Enabled/SafetyHubOneOffHats/SafetyHub_NoNotification/SafetyHubUnusedPermissionRevocationForAllSurfaces/Enabled/SavedTabGroupUrlRestriction/Enabled/ScreenCaptureKitMacScreen/Enabled/SeamlessRenderFrameSwap/Enabled/SearchEngineChoiceClearInvalidPref/Enabled/SearchEnginePreconnectInterval/EnabledWith50_20250114/*SearchPrefetchHighPriorityPrefetches/EnabledHighPriorityBothTriggers_20230721/SecurePaymentConfirmationUxRefresh/Enabled/SecurityPageHats/Enabled/SendEmptyGestureScrollUpdate/Enabled/ServiceWorkerAutoPreload/Enabled/ServiceWorkerBackgroundUpdate/PreflightForDSE/ServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement/Enabled/ServiceWorkerSubresourceCancelPendingCallbacksBeforeFetchRestart/Enabled/ServiceWorkerSyntheticResponse/Enabled/SessionRestoreInfobar/Enabled_ContinueDefault/SettingSearchExplorationHaTS/Enabled/SharedHighlightingIphDesktop/Enabled/SharedTabGroups/JoinOnlyEnabled/SharedWorkerBlobURLFix/Enabled/SharingDisableVapid/Enabled/SharingHubDesktopScreenshots/Enabled/ShoppingAlternateServer/Enabled/SidePanelCompanionDesktopM116Plus/EnableCompanionChromeOS_20240222/SidePanelPinningWithResponsiveToolbar/EnabledWithSidePanelPinning/SideSearchInProductHelp/Enabled/SigninPromoLimitsExperiment/Control/*SimdutfBase64Encode/Enabled/SimpleCachePrioritizedCaching/Enabled/SingleVideoFrameRateThrottling/Enabled/SiteInstanceGroupsForDataUrls/Enabled/*SkiaGraphite/Enabled/SkiaGraphiteSmallPathAtlas/Enabled/SkipIPCChannelPausingForNonGuestsStudy/Enabled_20251030/*SkipModerateMemoryPressureLevelMac/Enabled/SkipPagehideInCommitForDSENavigation/Enabled/SlopBucket/Enabled/SoftNavigationDetectionAdvancedPaintAttribution/Enabled/SoftNavigationDetectionPrePaintBasedAttribution/Enabled/SonomaAccessibilityActivationRefinements/Enabled/SpdyHeadersToHttpResponseUseBuilder/Enabled/SpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext/Enabled/SpeculativeImageDecodes/Enabled/SpeculativeServiceWorkerWarmUp/Enabled_05m_05c_20250214/SplitCacheByNetworkIsolationKey/EnableFeatureForTests/SqlScopedTransactionWebDatabase/Enabled/StandardizedBrowserZoom/Enabled/StandardizedTimerClamping/Enabled/StaticStorageQuota/Enabled/StickyActivationTest/Enabled/StorageBuckets/Enabled/StreamlineRendererInit/Enabled/StringWidthCache/Enabled/SubframeProcessShutdownDelay/EnabledDelay10s/SubresourceFilterPrewarm/Enabled/SupportOpeningDraggedLinksInSameTab/Enabled/SuppressesNetworkActivitiesOnSlowNetwork/SuppressesAll/SymphoniaAudioDecoding/Enabled/SyncBookmarksLimit/Limit250k/SyncDetermineAccountManagedStatus/Enabled/SyncIncreaseNudgeDelayForSingleClient/EnabledFactor2/SystemSignalCollectionImprovementEnabled/Enabled/TLSTrustAnchorIDs/Enabled/TabAudioMuting/Enabled/*TabGroupInteractionsDesktop/Enabled/TabGroupsCollapseFreezing/Disabled/TabHoverCardImagesMacArm/Enabled/TabSearchInProductHelp/TabSearchIPH/*TabstripComboButton/Enabled/TabstripDeclutter/Enabled/TailoredSecurityIntegration/TailoredSecurityIntegration/TaskManagerDesktopRefresh/TaskManagerDesktopRefresh/TcpSocketPoolLimitRandomization/Enabled_256/TextInputHostMojoCapabilityControlWorkaround/Enabled/TextSafetyScanLanguageDetection/Enabled/ThreeButtonPasswordSaveDialog/ThreeButtonPasswordSaveDialog/ThrottleMainFrameTo60HzMacV2/Enabled/ToolbarPinning/Enabled/TraceSiteInstanceGetProcessCreation/EnabledAndCrash/TranslateBubbleOpenSettings/TranslateBubbleOpenSettings/TreesInViz/Disabled/TrustSafetySentimentSurvey/Enabled/TrustSafetySentimentSurveyV2/Enabled_20240212/TrustTokenOriginTrial/Enabled/UIEnableSharedImageCacheForGpu/Enabled/UMA-NonUniformity-Trial-1-Percent/group_01/UMA-Pseudo-Metrics-Effect-Injection-25-Percent/BigEffect_01/UkmSamplingRate/Sampled_NoSeed_Other/UnifiedAutoplay/Enabled/UnlockDuringGpuImageOperations/Enabled/UnoPhase2Desktop/Enabled/UnoPhase2FollowUpDesktop/Enabled/UpdateIsMainFrameOriginRecentlyAccessedStudy/Enabled/*UseBoringSSLForRandBytes/Enabled/UseCecEnabledFlag/Enabled/UseLastVisitedFallbackURLFavicon/Enabled/UsePersistentCacheForCodeCache/Enabled/UsePrimaryAndTonalButtonsForPromos/Enabled/*UseSCContentSharingPicker/Enabled/UseSmartRefForGPUFenceHandle/Enabled/UseSnappyForParkableStrings/Enabled/UserBypassUI/Enabled/UserValueDefaultBrowserStrings/Enabled/V8CodeFlushing/Time180/V8DisableEagerAllocationFailures/Enabled/V8DisableScavengerUpdatesAllocationLimit/Enabled/V8ExternalMemoryAccountedInGlobalLimit/Enabled/V8IneffectiveMarkCompact/HighSizeThreshold/V8LargePagePool/Enabled/V8LateHeapLimitCheck/Enabled/V8ManagedZoneMemory/Enabled/V8MemoryPoolReleaseOnMallocFailures/Enabled/V8NewOldGenerationHeapSize/Enabled/V8ParserAblation/Disabled/V8PreconfigureOldGen/Enabled/V8SideStepTransitions/Enabled/V8SingleThreadedGCInBackgroundVariants/Enabled/V8SlowHistograms/Control/VSyncDecoding/Enabled/VariationsStickyPersistence/PersistViaCommitWrite_20260107/VerifyDidCommitParams/Enabled/VerifyQWACsRollout/Enabled/VisibilityAwareResourceScheduler/Enabled_20230807/VisitedLinksOn404/Enabled/VisitedURLRankingService/VisitedURLRankingService/WebAuthenticationNewRefreshFlow/Enabled/WebContentsDiscard/EnabledIgnoreWorkers/WebGPUEnableRangeAnalysisForRobustness/Enabled/WebProtectDlpScanPastedImages/Enabled/WebRTC-Aec3BufferingMaxAllowedExcessRenderBlocksOverride/1/WebRTC-Aec3DelayEstimateSmoothingDelayFoundOverride/0.1/WebRTC-Aec3TransparentModeHmm/Enabled/WebRTC-Agc2MaxSpeechLevelExperimental/Enabled/WebRTC-Agc2SpeechLevelEstimatorExperimental/Enabled/WebRTC-Audio-GainController2/Enabled,switch_to_agc2:true,target_range_min_dbfs:-50,target_range_max_dbfs:-30,max_gain_db:50,initial_gain_db:15,max_gain_change_db_per_second:6,headroom_db:5,enable_clipping_predictor:true,disallow_transient_suppressor_usage:true,_20230614/WebRTC-Audio-NetEqDecisionLogicConfig/enable_stable_playout_delay:true,reinit_after_expands:1000/WebRTC-Audio-OpusAvoidNoisePumpingDuringDtx/Enabled/WebRTC-BurstyPacer/burst:20ms,_V1/WebRTC-Bwe-LossBasedBweV2/Enabled:true,InstantUpperBoundBwBalance:100kbps,InherentLossUpperBoundBwBalance:100kbps,LossThresholdOfHighBandwidthPreference:0.2,UseByteLossRate:true,ObservationWindowSize:15,BwRampupUpperBoundFactor:1.5,BwRampupUpperBoundInHoldFactor:1.2,BwRampupUpperBoundHoldThreshold:1.3,BoundBestCandidate:true,UseInStartPhase:true,LowerBoundByAckedRateFactor:1.0,HoldDurationFactor:2.0,PaddingDuration:2000ms,PaceAtLossBasedEstimate:true/WebRTC-Bwe-ProbingConfiguration/network_state_probe_duration:200ms,network_state_interval:10s,min_probe_delta:20ms,est_lower_than_network_ratio:0.7,skip_if_est_larger_than_fraction_of_max:0.9,alr_scale:1.5,step_size:1.5/WebRTC-Bwe-ReceiverLimitCapsOnly/Enabled/WebRTC-Bwe-RobustThroughputEstimatorSettings/enabled:true,_V1/WebRTC-DataChannelMessageInterleaving/Enabled/WebRTC-EncoderSpeed/dynamic_speed:true,av1_camera:higher/WebRTC-IPv6NetworkResolutionFixes/Enabled,ResolveStunHostnameForFamily:true,PreferGlobalIPv6Address:true,DiversifyIpv6Interfaces:true,_20220929/WebRTC-JitterEstimatorConfig/num_stddev_delay_clamp:5,num_stddev_delay_outlier:2,num_stddev_size_outlier:2,estimate_noise_when_congested:false,_20230118_BETA/WebRTC-RFC8888CongestionControlFeedback/Enabled,_20251209/WebRTC-SendBufferSizeBytes/262144,_V1/WebRTC-SendPacketsOnWorkerThread/Enabled,_20221205/WebRTC-SlackedTaskQueuePacedSender/Enabled,max_queue_time:75ms,_V4/WebRTC-UseAbsCapTimeForG2gMetric/Enabled_20250408/WebRTC-VP8ConferenceTemporalLayers/2_V1/WebRTC-Video-AV1EvenPayloadSizes/Enabled/WebRTC-Video-EnableRetransmitAllLayers/Enabled,_20230607_BETA/WebRTC-Video-H26xPacketBuffer/Enabled/WebRTC-Video-ReceiveAndSendH265/Enabled_SendReceive/WebRTC-Vp9ExternalRefCtrl/Enabled/WebRTC-ZeroPlayoutDelay/min_pacing:0ms,max_decode_queue_size:8,/WebRTCColorAccuracy/Enabled/WebRtcAudioSinkUseTimestampAligner/Enabled/WebRtcPqcForDtls/Enabled/WebUIInProcessResourceLoading/Enabled_WithScriptStreaming/WebUIReloadButtonStudy/Control_20251030/WebrtcEncodeReadbackOptimization/Enabled_acc_scaling/WhatsNewHats/Enabled_en_20241016/WhatsNewRefresh/Enabled/WhatsNewSparkEdition/Enabled_benefits/WidevinePersistentLicenseSupport/Disabled_M140/XSLTSpecialTrial/Disabled/YourSavedInfoBrandingInSettings/Enable/YourSavedInfoSettingsPage/Enable/ZPSPrefetchDebouncingDesktop/Enabled_300ms_FromLastRun/ZeroCopyTabCaptureStudyMac/Enabled_20220901/ZeroStateSuggestionsV2/Enabled/ZstdForCrossSiteSpeculationRulesPrefetch/Enabled"}
1
+ {"disable-features":"AVFoundationCaptureForwardSampleTimestamps\u003CAVFoundationCaptureForwardSampleTimestamps,AccessibilityPerformanceMeasurementExperiment\u003CAccessibilityPerformanceMeasurementExperiment,AutocompleteDictionaryPreload\u003CCompressionDictionaryPreload,AutofillAddressSurvey\u003CAutofillSurveys,AutofillPasswordSurvey\u003CAutofillSurveys,BackForwardCacheNonStickyDoubleFix\u003CBackForwardCacheNonStickyDoubleFix,BreakoutBoxConversionWithoutSinkSignal\u003CWebrtcEncodeReadbackOptimization,CompressionDictionaryTransportRequireKnownRootCert\u003CCompressionDictionaryTransportRequireKnownRootCert,DsePreload2\u003CHttpCacheNoVarySearch,GlicEntrypointVariations\u003CGlicEntrypointVariations,HeapProfilerReporting\u003CHeapProfilerBloomFilter,InhibitSQLPreloadOnFixedSSD\u003CInhibitSQLPreload,InitialWebUI\u003CWebUIReloadButtonStudy,LegacyKeyRepeatSynthesis\u003CLegacyKeyRepeatSynthesis,LensAimSuggestionsGradientBackground\u003CChromnientReinvocationAffordance,MediaFoundationD3DVideoProcessing\u003CWebrtcEncodeReadbackOptimization,MediaFoundationSharedImageEncode\u003CWebrtcEncodeReadbackOptimization,MemoryCacheChangeStrongReferencePruneDelay\u003CPerfCombined2025,NonStandardAppearanceValueSliderVertical\u003CNonStandardAppearanceValueSliderVertical,NtpCustomizeChromeAutoOpen\u003CNtpCustomizeChromeAutoOpen,NtpShoppingTasksModule\u003CDesktopNtpModules,NtpWallpaperSearchButtonAnimation\u003CChromeWallpaperSearchLaunch,OpenAllProfilesFromProfilePickerExperiment\u003CProfileExperimentsM1UsabilityHypothesis,PartitionAllocSortActiveSlotSpans\u003CPartitionAllocMemoryReclaimer,PassageEmbedder\u003CPassageEmbeddingsPerformance,PerformanceControlsBatteryPerformanceSurvey\u003CPerformanceControlsHatsStudy,PerformanceControlsBatterySaverOptOutSurvey\u003CPerformanceControlsHatsStudy,PerformanceControlsPerformanceSurvey\u003CPerformanceControlsHatsStudy,PolicyBlocklistProceedUntilResponse\u003CPolicyBlocklistProceedUntilResponse,PrefetchPrerenderIntegration\u003CHttpCacheNoVarySearch,PreloadedDictionaryConditionalUse\u003CCompressionDictionaryPreload,ProcessPerSiteForDSE\u003CKeepDefaultSearchEngineAlive,ProcessPerSiteUpToMainFrameThreshold\u003CKeepDefaultSearchEngineAlive,ProfileCreationDeclineSigninCTAExperiment\u003CProfileCreationDeclineSigninCTAExperiment,ProfileCreationFrictionReductionExperimentPrefillNameRequirement\u003CProfileExperimentsM1FrictionReduction,ProfileCreationFrictionReductionExperimentRemoveSigninStep\u003CProfileExperimentsM1FrictionReduction,ProfileCreationFrictionReductionExperimentSkipCustomizeProfile\u003CProfileExperimentsM1FrictionReduction,ProfilePickerTextVariations\u003CProfileExperimentsM0,ReduceSubresourceResponseStartedIPC\u003CReduceIPCCombined,ReportUkm\u003CRemoveGraphicsUKMs,ScreenAIPartitionAllocAdvancedChecksEnabled\u003CPartitionAllocWithAdvancedChecks,ServiceWorkerBackgroundUpdateForFindRegistrationForClientUrl\u003CServiceWorkerBackgroundUpdate,ServiceWorkerBackgroundUpdateForServiceWorkerScopeCache\u003CServiceWorkerBackgroundUpdate,ShowProfilePickerToAllUsersExperiment\u003CProfileExperimentsM0,SideSearch\u003CSidePanelCompanionDesktopM116Plus,SigninPromoLimitsExperiment\u003CSigninPromoLimitsExperiment,TabGroupsCollapseFreezing\u003CTabGroupsCollapseFreezing,TreesInViz\u003CTreesInViz,UrgentPageDiscarding\u003CDisableUrgentPageDiscarding,UseLockFreeBloomFilter\u003CHeapProfilerBloomFilter,V8Flag_scavenger_updates_allocation_limit\u003CV8DisableScavengerUpdatesAllocationLimit,V8SingleThreadedGCInBackgroundNoIncrementalMarking\u003CV8SingleThreadedGCInBackgroundVariants,V8SingleThreadedGCInBackgroundParallelPause\u003CV8SingleThreadedGCInBackgroundVariants,V8SlowHistograms\u003CV8SlowHistograms,WallpaperSearchSettingsVisibility\u003CChromeWallpaperSearchGlobal,WebAppsEnableMLModelForPromotion\u003CDesktopPWAInstallPromotionML,WebUIReloadButton\u003CWebUIReloadButtonStudy,WidevinePersistentLicenseSupport\u003CWidevinePersistentLicenseSupport,XSLT\u003CXSLTSpecialTrial,kNtpTabGroupsModule\u003CDesktopNtpModulesTabGroups,kNtpTabGroupsModuleZeroState\u003CDesktopNtpModulesTabGroups","enable-features":"ANGLEPerContextBlobCache\u003CANGLEPerContextBlobCache,AXRandomizedStressTests\u003CAXRandomizedStressTests,AXTreeFixing\u003CAXTreeFixing,AbslFlatMapInVariantMap\u003CPerfCombined2025,AccessibilityBlockFlowIterator\u003CAXBlockFlowIterator,AccessibilitySerializationSizeMetrics\u003CAccessibilitySerializationSizeMetrics,AdditionalDelayMainJob\u003CIncreaseHttp3Usage,AggressiveShaderCacheLimits\u003CAggressiveShaderCacheLimits,AiModeOmniboxEntryPoint\u003CAIMHintText,AlignPdfDefaultPrintSettingsWithHTML\u003CAlignPdfDefaultPrintSettingsWithHTML,AllowChangingSelectedContent\u003CAllowChangingSelectedContent,AllowDatapipeDrainedAsBytesConsumerInBFCache\u003CAllowDatapipeDrainedAsBytesConsumerInBFCache,AllowURNsInIframes\u003CPrivacySandboxAdsAPIs,AnimationForDesktopCapturePermissionChecker\u003CAnimationForDesktopCapturePermissionChecker,AnnotatedPageContentExtraction\u003CAnnotatedPageContentExtraction,AnnotatedPageContentWithMediaData\u003CGlicMediaData,AsyncQuicSession\u003CAsyncQuicSession,AsyncSetCookie\u003CPerfCombined2025,AsyncTouchMovesImmediatelyAfterScroll\u003CAsyncTouchMovesImmediatelyAfterScroll,AudioDecoderAudioFileReader\u003CAudioDecoderAudioFileReader,AudioInputConfirmReadsViaShmem\u003CAudioInputConfirmReadsViaShmem,AutoDisableAccessibility\u003CAutoDisableAccessibility,AutoSpeculationRules\u003CAutoSpeculationRules,AutofillAddressSuggestionsOnTyping\u003CAutofillAddressSuggestionsOnTyping,AutofillAddressUserPerceptionSurvey\u003CAutofillAddressUserPerceptionSurveyUS,AutofillAiDedupeEntities\u003CAutofillAiM3PublicPasses,AutofillAiVoteForFormatStringsForFlightNumbers\u003CAutofillAiM3PublicPasses,AutofillAiWalletFlightReservation\u003CAutofillAiM3PublicPasses,AutofillAiWalletVehicleRegistration\u003CAutofillAiM3PublicPasses,AutofillAllowFillingModifiedInitialValues\u003CAutofillAllowFillingModifiedInitialValues,AutofillBetterLocalHeuristicPlaceholderSupport\u003CAutofillBetterLocalHeuristicPlaceholderSupport,AutofillCardSurvey\u003CAutofillSurveys,AutofillCreditCardUserPerceptionSurvey\u003CAutofillCreditCardUserPerceptionSurvey,AutofillDisallowMoreHyphenLikeLabels\u003CAutofillSupportSplitZipCode,AutofillEnableAmountExtractionDesktop\u003CAutofillEnableBuyNowPayLaterDesktop,AutofillEnableBuyNowPayLater\u003CAutofillEnableBuyNowPayLaterDesktop,AutofillEnableBuyNowPayLaterForExternallyLinked\u003CAutofillEnableBuyNowPayLaterForExternallyLinked,AutofillEnableBuyNowPayLaterForKlarna\u003CAutofillEnableBuyNowPayLaterForKlarna,AutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString\u003CAutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString,AutofillEnableExpirationDateImprovements\u003CAutofillEnableExpirationDateImprovements,AutofillEnableFillingPhoneCountryCodesByAddressCountryCodes\u003CAutofillEnableFillingPhoneCountryCodesByAddressCountryCodes,AutofillEnableFpanRiskBasedAuthentication\u003CAutofillEnableFpanRiskBasedAuthentication,AutofillEnableLabelPrecedenceForTurkishAddresses\u003CAutofillEnableLabelPrecedenceForTurkishAddresses,AutofillEnableSaveAndFill\u003CAutofillEnableSaveAndFill,AutofillEnableSupportForHomeAndWork\u003CAutofillEnableSupportForHomeAndWork,AutofillEnableSupportForNameAndEmail\u003CAutofillEnableSupportForNameAndEmail,AutofillEnableSupportForParsingWithSharedLabels\u003CAutofillEnableSupportForParsingWithSharedLabels,AutofillExtendZipCodeValidation\u003CAutofillExtendZipCodeValidation,AutofillFixCivilStateMisclassificationForESPT\u003CAutofillFixCivilStateMisclassificationForESPT,AutofillFixFormEquality\u003CAutofillFixFormEquality,AutofillFixFormTracking\u003CAutofillImproveSubmissionDetectionV3,AutofillFixRewriterRules\u003CAutofillFixRewriterRules,AutofillFixStateCountryMisclassification\u003CAutofillFixStateCountryMisclassification,AutofillIgnoreCheckableElements\u003CAutofillIgnoreCheckableElements,AutofillImproveAddressFieldSwapping\u003CAutofillImproveAddressFieldSwapping,AutofillImprovedLabels\u003CAutofillImprovedLabels,AutofillModelPredictions\u003CAutofillModelPredictions,AutofillMoveSmallFormLogicToClient\u003CAutofillMoveSmallFormLogicToClient,AutofillOptimizeCacheUpdates\u003CAutofillOptimizeCacheUpdates,AutofillPageLanguageDetection\u003CAutofillPageLanguageDetection,AutofillPasswordUserPerceptionSurvey\u003CAutofillPasswordUserPerceptionSurvey,AutofillPaymentsFieldSwapping\u003CAutofillPaymentsFieldSwapping,AutofillPopupDontAcceptNonVisibleEnoughSuggestion\u003CAutofillPopupDontAcceptNonVisibleEnoughSuggestion,AutofillPreferBuyNowPayLaterBlocklists\u003CAutofillPreferBuyNowPayLaterBlocklists,AutofillPrioritizeSaveCardOverMandatoryReauth\u003CAutofillPrioritizeSaveCardOverMandatoryReauth,AutofillReintroduceHybridPasskeyDropdownItem\u003CAutofillReintroduceHybridPasskeyDropdownItem,AutofillReplaceCachedWebElementsByRendererIds\u003CAutofillImproveSubmissionDetectionV3,AutofillServerExperimentalSignatures\u003CAutofillServerExperimentalSignatures,AutofillSharedStorageServerCardData\u003CAutofillSharedStorageServerCardData,AutofillShowBubblesBasedOnPriorities\u003CAutofillShowBubblesBasedOnPriorities,AutofillStructuredFieldsDisableAddressLines\u003CAutofillStructuredFieldsDisableAddressLines,AutofillSupportLastNamePrefix\u003CAutofillSupportLastNamePrefix,AutofillSupportPhoneticNameForJP\u003CAutofillSupportPhoneticNameForJP,AutofillSupportSplitZipCode\u003CAutofillSupportSplitZipCode,AutofillUKMExperimentalFields\u003CAutofillUKMExperimentalFields,AutofillUnmaskCardRequestTimeout\u003CAutofillUnmaskCardRequestTimeout,AutofillUpstream\u003CAutofillUpstream,AutofillUseINAddressModel\u003CAutofillI18nINAddressModel,AutofillUseNegativePatternForAllAttributes\u003CAutofillSupportLastNamePrefix,AutofillVcnEnrollStrikeExpiryTime\u003CAutofillVcnEnrollStrikeExpiryTime,AvoidCloneArgsOnExtensionFunctionDispatch\u003CPerfCombined2025,AvoidDuplicateDelayBeginFrame\u003CAvoidDuplicateDelayBeginFrame,AvoidEntryCreationForNoStore\u003CAvoidEntryCreationForNoStore,AvoidForcedLayoutOnInvisibleDocumentClose\u003CAvoidForcedLayoutOnInvisibleDocumentClose,AvoidTrustedParamsCopies\u003CAvoidTrustedParamsCopies,AvoidUnnecessaryBeforeUnloadCheckSync\u003CServiceWorkerBackgroundUpdate,AvoidUnnecessaryForcedLayoutMeasurements\u003CAvoidUnnecessaryForcedLayoutMeasurements,AvoidUnnecessaryGetMinimizeButtonOffset\u003CPerfCombined2025,AvoidUnnecessaryShouldRenderRichAnimation\u003CPerfCombined2025,BFCacheWithSharedWorker\u003CBackForwardCacheWithSharedWorker,BackForwardCacheSendNotRestoredReasons\u003CBackForwardCacheNotRestoredReasons,BackgroundResourceFetch\u003CBackgroundResourceFetch,BatterySaverModeAlignWakeUps\u003CBatterySaverModeAlignWakeUps,BeaconLeakageLogging\u003CBeaconLeakageLogging,BlinkLifecycleScriptForbidden\u003CBlinkLifecycleScriptForbidden,BookmarkTabGroupConversion\u003CTabGroupInteractionsDesktop,BookmarkTriggerForPrefetch\u003CPrefetchBookmarkBarTrigger,BookmarksImportOnFirstRun\u003CBookmarksImportOnFirstRun,BookmarksTreeView\u003CBookmarksTreeView,BookmarksUseBinaryTreeInTitledUrlIndex\u003CBookmarksUseBinaryTreeInTitledUrlIndex,BoostClosingTabs\u003CBoostClosingTabs,BoundaryEventDispatchTracksNodeRemoval\u003CBoundaryEventDispatchTracksNodeRemoval,BrowserInitiatedAutomaticPictureInPicture\u003CBrowserInitiatedAutomaticPictureInPicture,BrowserSignalsReportingEnabled\u003CBrowserSignalsReportingEnabled,BrowserThreadPoolAdjustment\u003CBrowserThreadPoolAdjustmentForDesktop,BrowsingHistoryActorIntegrationM2\u003CBrowsingHistoryActorIntegrationM2,BrowsingHistoryActorIntegrationM3\u003CBrowsingHistoryActorIntegrationM3,BrowsingTopics\u003CPrivacySandboxAdsAPIs,BubbleMetricsApi\u003CBubbleMetricsApi,CADisplayLinkInBrowser\u003CCADisplayLinkInBrowser,CSSReadingFlow\u003CCSSReadingFlow,CacheSharingForPervasiveScripts\u003CCacheSharingForPervasiveScripts,CancelPendingCallbacksBeforeFetchRestart\u003CServiceWorkerSubresourceCancelPendingCallbacksBeforeFetchRestart,Canvas2DAutoFlushParams\u003CCanvas2DAutoFlushParams,Canvas2DHibernation\u003CCanvasHibernationExperiments,Canvas2DHibernationNoSmallCanvas\u003CCanvas2DHibernationNoSmallCanvas,Canvas2DHibernationReleaseTransferMemory\u003CCanvasHibernationExperiments,Canvas2DReclaimUnusedResources\u003CCanvas2DReclaimUnusedResources,CanvasHibernationSnapshotZstd\u003CCanvasHibernationExperiments,CanvasTextNg\u003CCanvasTextNg,CastStreamingHardwareHevc\u003CCastStreamingHardwareHevc,CastStreamingMediaVideoEncoder\u003CCastStreamingMediaVideoEncoder,ChangeGeneratedCodeCacheSize\u003CChangeGeneratedCodeCacheSize,ChromeWebStoreNavigationThrottle\u003CChromeWebStoreNavigationThrottle,ChromeWideEchoCancellation\u003CChromeWideEchoCancellation,ClearCanvasResourcesInBackground\u003CCanvasHibernationExperiments,ClearCountryPrefForStoredUnknownCountry\u003CSearchEngineChoiceClearInvalidPref,ClearGrShaderDiskCacheOnInvalidPrefix\u003CClearGrShaderDiskCacheOnInvalidPrefix,ClientSideDetectionClipboardCopyApi\u003CClientSideDetectionClipboardCopyApi,ClientSideDetectionCreditCardForm\u003CClientSideDetectionCreditCardForm,ClientSideDetectionRetryLimit\u003CClientSideDetectionRetryLimit,ClientSideDetectionSamplePing\u003CClientSideDetectionSamplePing,ClientSideDetectionSendLlamaForcedTriggerInfo\u003CClientSideDetectionSendLlamaForcedTriggerInfo,ClientSideDetectionSkipErrorPage\u003CClientSideDetectionSkipErrorPage,CloneDevToolsConnectionOnlyIfRequested\u003CCloneDevToolsConnectionOnlyIfRequested,CoalesceSelectionchangeEvent\u003CCoalesceSelectionchangeEvent,CommerceLocalPDPDetection\u003CCommerceLocalPDPDetection,CompareConfirmationToast\u003CCompare,CompensateGestureDetectorTimeouts\u003CCompensateGestureDetectorTimeouts,Compose\u003CChromeCompose,ComposeAXSnapshot\u003CComposeAXSnapshot,ComposeProactiveNudge\u003CComposeProactiveNudgePosition,ComposeboxUsesChromeComposeClient\u003CNtpComposeboxDesktop,CompositeClipPathAnimation\u003CCompositeClipPathAnimation,CompressParkableStrings\u003CPerfCombined2025,CompressionDictionaryTTL\u003CCompressionDictionaryTTL,ConditionalImageResize\u003CConditionalImageResize,ConfigurableV8CodeCacheHotHours\u003CConfigurableV8CodeCacheHotHours,ConfigureQuicHints\u003CIncreaseHttp3Usage,ConnectionKeepAliveForHttp2\u003CConnectionKeepAliveForHttp2,ContentVerifierCacheIncludesExtensionRoot\u003CContentVerifierCacheIncludesExtensionRoot,ContentVerifyJobUseJobVersionForHashing\u003CContentVerifyJobUseJobVersionForHashing,ContextualTasks\u003CContextualTasksDesktop,ContextualTasksContext\u003CContextualTasksContext,ContextualTasksContextLogging\u003CContextualTasksContext,ContextualTasksContextMqlsLogging\u003CContextualTasksContext,CookieSameSiteConsidersRedirectChain\u003CCookieSameSiteConsidersRedirectChainDesktop,CreateNewTabGroupAppMenuTopLevel\u003CTabGroupInteractionsDesktop,CreateURLLoaderPipeAsync\u003CCreateURLLoaderPipeAsync,CustomizableSelect\u003CCustomizableSelect,CustomizeChromeSidePanelExtensionsCard\u003CCustomizeChromeSidePanelExtensionsCard,CustomizeChromeWallpaperSearch\u003CChromeWallpaperSearchGlobal,CustomizeChromeWallpaperSearchButton\u003CChromeWallpaperSearchLaunch,CustomizeChromeWallpaperSearchInspirationCard\u003CChromeWallpaperSearchGlobal,DTCKeyRotationUploadedBySharedAPIEnabled\u003CDTCKeyRotationUploadedBySharedAPIEnabled,DataSharingJoinOnly\u003CSharedTabGroups,DecommitPooledPages\u003CDecommitPooledPages,DedicatedWorkerAblationStudyEnabled\u003CPlzDedicatedWorker,DefaultBrowserFramework\u003CDefaultBrowserFramework,DefaultSiteInstanceGroups\u003CDefaultSiteInstanceGroups,DeferSpeculativeRFHCreation\u003CDeferSpeculativeRFHCreation,DelayLayerTreeViewDeletionOnLocalSwap\u003CRenderDocumentWithNavigationQueueing,DelayRfhDestructionsOnUnloadAndDetach\u003CDelayRfhDestructionsOnUnloadAndDetach,DeprecateUnload\u003CDeprecateUnload,DeprecateUnloadByAllowList\u003CDeprecateUnload,DesktopCapturePermissionCheckerPreMacos14_4\u003CDesktopCapturePermissionCheckerPreMacos14_4,DesktopMediaPickerCheckAudioPermissions\u003CDesktopMediaPickerCheckAudioPermissions,DesktopScreenshots\u003CSharingHubDesktopScreenshots,DevToolsAiPromptApi\u003CDevToolsConsoleInsightsTeasers,DisablePartialStorageCleanupForGPUDiskCache\u003CDisablePartialStorageCleanupForGPUDiskCache,DiscardInputEventsToRecentlyMovedFrames\u003CDiscardInputEventsToRecentlyMovedFrames,DiscountDialogAutoPopupBehaviorSetting\u003CDiscountAutoPopup,DiskCacheBackendExperiment\u003CDiskCacheBackendExperiment,DlpRegionalizedEndpoints\u003CDlpRegionalizedEndpoints,DlpScanPastedImages\u003CWebProtectDlpScanPastedImages,DoNotEvictOnAXLocationChange\u003CDoNotEvictOnAXLocationChange,DohProviderQuad9Secure\u003CDnsOverHttpsQuad9Secure,DownloadWarningSurvey\u003CDownloadWarningSurvey,DrawQuadSplitLimit\u003COcclusionCullingQuadSplitLimit,DwaFeature\u003CDwaFeature,DynamicProfileCountry\u003CDynamicProfileCountry,EnableAsyncUploadAfterVerdict\u003CEnableAsyncUploadAfterVerdict,EnableBestEffortTaskInhibitingPolicy\u003CEnableBestEffortTaskInhibitingPolicy,EnableComposeNudgeAtCursor\u003CComposeProactiveNudgePosition,EnableDiscountInfoApi\u003CEnableDiscountOnShoppyPagesDesktop,EnableDrDc\u003CEnableDrDc,EnableForceDownloadToCloud\u003CEnableForceDownloadToCloud,EnableHangWatcher\u003CEnableHangWatcher,EnableHangWatcherOnGpuProcess\u003CEnableHangWatcherOnGpuProcess,EnableICloudKeychainRecoveryFactor\u003CMacICloudKeychainRecoveryFactor,EnableLazyLoadImageForInvisiblePage\u003CEnableLazyLoadImageForInvisiblePage,EnableManagementPromotionBanner\u003CEnableManagementPromotionBanner,EnableNewUploadSizeLimit\u003CEnableNewUploadSizeLimit,EnableNtpBrowserPromos\u003CNtpBrowserPromos,EnableOopPrintDrivers\u003COutOfProcessPrintDriversPrint,EnablePolicyPromotionBanner\u003CEnablePolicyPromotionBanner,EnablePrintWatermark\u003CEnablePrintWatermark,EnableShouldShowPromotion\u003CEnableShouldShowPromotion,EnableSinglePageAppDataProtection\u003CEnableSinglePageAppDataProtection,EnableTLS13EarlyData\u003CEnableTLS13EarlyData,EnableUrlRestriction\u003CSavedTabGroupUrlRestriction,EnableWatermarkCustomization\u003CEnableWatermarkCustomization,EnableWatermarkTestPage\u003CEnableWatermarkTestPage,EnhancedFieldsForSecOps\u003CEnhancedFieldsForSecOps,EnhancedSecurityEventFields\u003CEnhancedFieldsForSecOps,EnterpriseActiveUserDetection\u003CEnterpriseActiveUserDetection,EnterpriseBadgingForNtpFooter\u003CEnterpriseBadgingForNtpFooter,EnterpriseFileObfuscation\u003CEnterpriseFileObfuscation,EnterpriseFileObfuscationArchiveAnalyzer\u003CEnterpriseFileObfuscationArchiveAnalyzer,EnterpriseFileSystemAccessDeepScan\u003CEnterpriseFileSystemAccessDeepScan,EnterpriseIframeDlpRulesSupport\u003CEnterpriseIframeDlpRulesSupport,EventTimingIgnorePresentationTimeFromUnexpectedFrameSource\u003CEventTimingIgnorePresentationTimeFromUnexpectedFrameSource,EvictionUnlocksResources\u003CCanvasHibernationExperiments,ExtendQuicHandshakeTimeout\u003CIncreaseHttp3Usage,ExtensionManifestV2Unsupported\u003CExtensionManifestV2Deprecation,ExtensionsMenuAccessControl\u003CExtensionsToolbarAndMenuRedesign,ExtremeLightweightUAFDetector\u003CExtremeLightweightUAFDetector,FastPathNoRaster\u003CPerfCombined2025,FencedFrames\u003CPrivacySandboxAdsAPIs,FencedFramesAPIChanges\u003CPrivacySandboxAdsAPIs,FencedFramesAutomaticBeaconCredentials\u003CFencedFramesEnableCredentialsForAutomaticBeacons,FencedFramesReportEventHeaderChanges\u003CFencedFramesEnableReportEventHeaderChanges,FencedFramesSrcPermissionsPolicy\u003CFencedFramesEnableSrcPermissionsPolicy,FetchLaterAPI\u003CFetchLaterAPI,FledgeBiddingAndAuctionServer\u003CFLEDGEBiddingAndAuctionServer,FlushPersistentSystemProfileOnWrite\u003CFlushPersistentSystemProfileOnWrite,ForcedDiceMigration\u003CUnoPhase2Desktop,FrameRoutingCache\u003CFrameRoutingCache,GCMUseDedicatedNetworkThread\u003CGCMUseDedicatedNetworkThread,GCOnArrayBufferAllocationFailure\u003CPerfCombined2025,Glic\u003CGlicDogfood,GlicActOnWebCapabilityForManagedTrials\u003CGlicActOnWebCapabilityForManagedTrials,GlicActor\u003CGlicActorRolloutControl,GlicActorUi\u003CGlicActorRolloutControl,GlicActorUiTabIndicatorSpinnerIgnoreReducedMotion\u003CGlicActorUiTabIndicatorSpinnerIgnoreReducedMotion,GlicButtonAltLabel\u003CGlicButtonAltLabel,GlicClientResponsivenessCheck\u003CGlicClientResponsivenessCheckExtension,GlicClosedCaptioning\u003CGlicClosedCaptioning,GlicDaisyChainNewTabs\u003CGlicEnableMultiInstanceBasedOnTier,GlicDefaultTabContextSetting\u003CGlicEnableMultiInstanceBasedOnTier,GlicEnableMultiInstanceBasedOnTier\u003CGlicEnableMultiInstanceBasedOnTier,GlicExtensions\u003CGlic1PTools,GlicForceNonSkSLBorder\u003CGlicForceNonSkSLBorder,GlicForceSimplifiedBorder\u003CGlicForceSimplifiedBorder,GlicFreWarming\u003CGlicFreWarming,GlicGeminiInstructions\u003CGlicGeminiInstructions,GlicHandoffButtonHiddenClientControl\u003CGlicHandoffButtonHiddenClientControl,GlicIntro\u003CGlicGA,GlicLearnMore\u003CGlicGA,GlicMultiInstance\u003CGlicEnableMultiInstanceBasedOnTier,GlicMultiTab\u003CGlicEnableMultiInstanceBasedOnTier,GlicMultitabUnderlines\u003CGlicEnableMultiInstanceBasedOnTier,GlicPanelResetSizeAndLocationOnOpen\u003CGlicResetPanelSizeAndLocationOnOpen,GlicPersonalContext\u003CGlicPersonalContext,GlicRollout\u003CGlicGA,GlicShareImage\u003CGlicShareImage,GlicTieredRollout\u003CGlicTieredRollout,GlicUserStatusCheck\u003CGlicUserStatusCheckDogfood,GlicWarming\u003CGlicWarming,GlicZeroStateSuggestions\u003CGlicZeroStateSuggestionsDogfood,GpuYieldRasterization\u003CGpuYieldRasterization,GrCacheLimitsFeature\u003CGrCacheLimits,HandleNonDamagingInputsInScrollJankV4Metric\u003CHandleNonDamagingInputsInScrollJankV4Metric,HangoutsExtensionV3\u003CHangoutsExtensionV3,HappinessTrackingSurveysForComposeAcceptance\u003CComposeAcceptanceSurvey,HappinessTrackingSurveysForComposeClose\u003CComposeCloseSurvey,HappinessTrackingSurveysForDesktopNextPanel\u003CContextualTasksDesktop,HappinessTrackingSurveysForDesktopSettings\u003CSettingSearchExplorationHaTS,HappinessTrackingSurveysForDesktopWhatsNew\u003CWhatsNewHats,HappinessTrackingSurveysForHistoryEmbeddings\u003CHappinessTrackingSurveysForHistoryEmbeddings,HappinessTrackingSurveysForSecurityPage\u003CSecurityPageHats,HappinessTrackingSurveysForWallpaperSearch\u003CChromeWallpaperSearchHaTS,HappyEyeballsV3\u003CHappyEyeballsV3,HeadlessLiveCaption\u003CGlicMediaData,HideDelegatedFrameHostMac\u003CHideDelegatedFrameHostMac,HistoryEmbeddings\u003CHistoryEmbeddingsV2Images,HistoryQueryOnlyLocalFirst\u003CHistoryQueryOnlyLocalFirst,Http2Grease\u003CHTTP2,HttpCacheInitializeDiskCacheBackendEarly\u003CHttpCacheInitializeDiskCacheBackendEarly,HttpCacheNoVarySearch\u003CHttpCacheNoVarySearch,HttpDiskCachePrewarming\u003CHttpDiskCachePrewarming,HttpsFirstBalancedModeAutoEnable\u003CHttpsFirstBalancedModeAutoEnable,HttpsFirstModeV2ForTypicallySecureUsers\u003CHttpsFirstModeV2ForTypicallySecureUsers,IPH_AutofillAccountNameEmailSuggestion\u003CAutofillEnableSupportForNameAndEmail,IPH_AutofillAiValuables\u003CAutofillAiM3PublicPasses,IPH_AutofillHomeWorkProfileSuggestion\u003CAutofillEnableSupportForHomeAndWork,IPH_BackNavigationMenu\u003CBackNavigationMenuIPH,IPH_DesktopRealboxContextualSearchFeature\u003CNtpRealboxNextDesktop,IPH_DesktopSharedHighlighting\u003CSharedHighlightingIphDesktop,IPH_ExtensionsZeroStatePromo\u003CExtensionsZeroStatePromo,IPH_PasswordsSavePrimingPromo\u003CThreeButtonPasswordSaveDialog,IPH_PasswordsSaveRecoveryPromo\u003CThreeButtonPasswordSaveDialog,IPH_PlusAddressCreateSuggestion\u003CPlusAddressesExperiment,IPH_PriceInsightsPageActionIconLabelFeature\u003CPriceInsightsDesktopExpansionStudy,IPH_PriceTrackingPageActionIconLabelFeature\u003CPriceTrackingPageActionIconLabelFeatureIPH,IPH_ReadingModeSidePanel\u003CReadAnythingIPHRollout,IPH_SidePanelGenericPinnableFeature\u003CSidePanelPinningWithResponsiveToolbar,IPH_SideSearch\u003CSideSearchInProductHelp,IPH_SignInBenefits\u003CUnoPhase2Desktop,IPH_TabAudioMuting\u003CTabAudioMuting,IPH_TabSearch\u003CTabSearchInProductHelp,IdbSqliteBackingStoreInMemoryContexts\u003CIdbSqliteBackingStoreInMemoryContexts,IgnoreDiscardAttemptMarker\u003CIgnoreDiscardAttemptMarker,IgnoreDuplicateNavs\u003CIgnoreDuplicateNavs,IgnoreDuplicateNavsOnlyWithUserGesture\u003CIgnoreDuplicateNavsOnlyWithUserGesture,ImageDescriptionsAlternateRouting\u003CImageDescriptionsAlternateRouting,ImmersiveReadAnything\u003CImmersiveReadAnything,IncreasedCmdBufferParseSlice\u003CIncreasedCmdBufferParseSlice,InfobarPrioritization\u003CInfoBarPrioritizationAndUIRefresh,InfobarRefresh\u003CInfoBarPrioritizationAndUIRefresh,InhibitSQLPreload\u003CInhibitSQLPreload,InhibitSQLReleaseCacheMemoryIfNeeded\u003CInhibitSQLReleaseCacheMemoryIfNeeded,InlineFullscreenPerfExperiment\u003CInlineFullscreenPerfExperiment,InputClosesSelect\u003CCustomizableSelect,InterestGroupStorage\u003CPrivacySandboxAdsAPIs,IsolateFencedFrames\u003CProcessIsolationForFencedFrames,IsolatesPriorityUseProcessPriority\u003CIsolatesPriorityUseProcessPriority,JobPriorityBoosting\u003CJobPriorityBoosting,Journeys\u003CGroupedHistoryAllLocales,JourneysOmniboxHistoryClusterProvider\u003CDesktopOmniboxShortcutBoost,KAnonymityService\u003CPrivacySandboxAdsAPIs,KeepDefaultSearchEngineRendererAlive\u003CKeepDefaultSearchEngineAlive,KeyboardLockPrompt\u003CKeyboardLockPrompt,KillSpareRenderOnMemoryPressure\u003CMultipleSpareRPHs,LCPCriticalPathPredictor\u003CLCPPImageLoadingPriority,LCPPAutoPreconnectLcpOrigin\u003CFenderAutoPreconnectLcpOrigins,LCPPDeferUnusedPreload\u003CLCPPDeferUnusedPreload,LCPPFontURLPredictor\u003CLCPPFontURLPredictor,LCPPLazyLoadImagePreload\u003CLCPPLazyLoadImagePreload,LCPPPrefetchSubresource\u003CLCPPPrefetchSubresource,LCPTimingPredictorPrerender2\u003CLCPTimingPredictorPrerender2,LazyBlinkTimezoneInit\u003CLazyBlinkTimezoneInit,LazyBrowserInterfaceBroker\u003CLoadAllTabsAtStartup,LazyUpdateTranslateModel\u003CLazyUpdateTranslateModel,LensAimSuggestions\u003CChromnientReinvocationAffordance,LensImageFormatOptimizations\u003CGoogleLensDesktopImageFormatOptimizations,LensOverlayContextualSearchbox\u003CContextualSearchBox,LensOverlayEduActionChip\u003CChromnientEduActionChipV2,LensOverlayEntrypointLabelAlt\u003CChromnientEntrypointLabelAlt,LensOverlayNonBlockingPrivacyNotice\u003CChromnientNonBlockingPrivacyNotice,LensOverlaySidePanelOpenInNewTab\u003CChromnientSidePanelOpenInNewTab,LensOverlayStraightToSrp\u003CChromnientStraightToSrp,LensOverlaySuggestionsMigration\u003CChromnientReinvocationAffordance,LensOverlaySurvey\u003CChromnientSurvey,LensOverlayTextSelectionContextMenuEntrypoint\u003CChromnientTextSelectionContextMenuEntrypoint,LensOverlayUpdatedClientContext\u003CChromnientUpdatedClientContext,LensOverlayVisualSelectionUpdates\u003CChromnientUpdatedVisuals,LensSearchAimM3\u003CChromnientAimM3,LensSearchReinvocationAffordance\u003CChromnientReinvocationAffordance,LensSearchZeroStateCsb\u003CChromnientZeroStateCsb,LensStandalone\u003CGoogleLensDesktopImageFormatOptimizations,LensUpdatedFeedbackEntrypoint\u003CChromnientUpdatedFeedbackEntrypoint,LensVideoCitations\u003CChromnientVideoCitations,LessAggressiveParkableString\u003CParkableStringsLessAggressiveAndZstd,LevelDBCacheSize\u003CLevelDBCacheSize,LinkPreview\u003CLinkPreview,LiveCaptionExperimentalLanguages\u003CLiveCaptionExperimentalLanguages,LoadAllTabsAtStartup\u003CLoadAllTabsAtStartup,LoadingPredictorLimitPreconnectSocketCount\u003CLoadingPredictorLimitPreconnectSocketCount,LoadingSuggestionsAnimation\u003CContextualSuggestionsAnimationImprovements,LocalNetworkAccessChecks\u003CLocalNetworkAccessChecks,LocalNetworkAccessChecksWebSockets\u003CLocalNetworkAccessChecksWebSockets,LocalNetworkAccessChecksWebTransport\u003CLocalNetworkAccessChecksWebTransport,LogOnDeviceMetricsOnStartup\u003CLogOnDeviceMetricsOnStartup,LogUrlScoringSignals\u003COmniboxLogURLScoringSignals,LongAnimationFrameSourceCharPosition\u003CLongAnimationFrameSourceCharPosition,LowerHighResolutionTimerThreshold\u003CBatterySaverModeAlignWakeUps,LowerQuicMaxPacketSize\u003CIncreaseHttp3Usage,MHTML_Improvements\u003CMHTML_Improvements,MacAccessibilityAPIMigration\u003CMacAccessibilityAPIMigration,MacAllowBackgroundingRenderProcesses\u003CPerfCombined2025,MacCriticalDiskSpacePressure\u003CPerfCombined2025,MainIdleBypassScheduler\u003CMainIdleBypassSchedulerExperiment,MainNodeAnnotations\u003CMainNodeAnnotationsRollout,ManagedProfileRequiredInterstitial\u003CManagedProfileRequiredInterstitial,MediaDeviceIdPartitioning\u003CMediaDeviceIdStoragePartitioning,MemoryCacheStrongReference\u003CPerfCombined2025,MemoryConsumerForNGShapeCache\u003CMemoryConsumerForNGShapeCache,MemoryCoordinatorLastResortGC\u003CMemoryCoordinatorLastResortGC,MetricsLogTrimming\u003CMetricsLogTrimming,MetricsRenderFrameObserverImprovement\u003CMetricsRenderFrameObserverImprovement,MigrateDefaultChromeAppToWebAppsGSuite\u003CMigrateDefaultChromeAppToWebAppsGSuite,MigrateDefaultChromeAppToWebAppsNonGSuite\u003CMigrateDefaultChromeAppToWebAppsNonGSuite,MobilePromoOnDesktopWithQRCode\u003CMobilePromoOnDesktopWithQRCode,MobilePromoOnDesktopWithReminder\u003CMobilePromoOnDesktopWithReminder,ModelQualityLogging\u003CComposeModelQualityLogging,MojoChannelAssociatedSendUsesRunOrPostTask\u003CMojoChannelAssociatedSendUsesRunOrPostTask,MultipleSpareRPHs\u003CMultipleSpareRPHs,MvcUpdateViewWhenModelChanged\u003CPerfCombined2025,NavigationThrottleRegistryAttributeCache\u003CNavigationThrottleRegistryAttributeCache,NetTaskScheduler2\u003CNetworkServiceTaskScheduler2,NetworkQualityEstimator\u003CNetworkQualityEstimatorParameterTuning,NetworkQualityEstimatorAsyncNotifyStartTransaction\u003CNetworkQualityEstimatorAsync,NetworkServicePerPriorityTaskQueues\u003CNetworkServicePerPriorityTaskQueues,NewContentForCheckerboardedScrolls\u003CNewContentForCheckerboardedScrollsPerFrame,NewTabAddsToActiveGroup\u003CTabGroupInteractionsDesktop,NewTabPageTriggerForPrefetch\u003CPrefetchNewTabPageTrigger,NoPasswordSuggestionFiltering\u003CNoPasswordSuggestionFiltering,NoPreReadMainDllIfSsd\u003CPerfCombined2025,NoThrottlingVisibleAgent\u003CNoThrottlingVisibleAgent,NotificationTelemetrySwb\u003CNotificationTelemetrySwb,NtpBackgroundImageErrorDetection\u003CDesktopNtpImageErrorDetection,NtpComposebox\u003CNtpComposeboxDesktop,NtpDriveModule\u003CDesktopNtpDriveCache,NtpFeatureOptimizationDismissModulesRemoval\u003CDesktopNtpSimplification,NtpFeatureOptimizationModuleRemoval\u003CDesktopNtpSimplification,NtpFeatureOptimizationShortcutsRemoval\u003CDesktopNtpSimplification,NtpMiddleSlotPromoDismissal\u003CDesktopNtpMiddleSlotPromoDismissal,NtpMobilePromo\u003CDesktopNtpMobilePromo,NtpModulesLoadTimeoutMilliseconds\u003CDesktopNtpModules,NtpMostRelevantTabResumptionModule\u003CDesktopNtpTabResumption,NtpOneGoogleBarAsyncBarParts\u003CDesktopNtpOneGoogleBarAsyncBarParts,NtpPhotosModule\u003CDesktopNtpModules,NtpRealboxNext\u003CNtpRealboxNextDesktop,NtpSharepointModule\u003CNtpMicrosoftFilesCard,NtpWallpaperSearchButton\u003CChromeWallpaperSearchLaunch,NtpWallpaperSearchButtonHideCondition\u003CChromeWallpaperSearchLaunch,OfferPinToTaskbarInfoBar\u003COfferPinToTaskbarInfoBar,OffloadAcceptCHFrameCheck\u003COffloadAcceptCHFrameCheck,OidcAuthProfileManagement\u003COidcAuthProfileManagement,OmniboxCalcProvider\u003CDesktopOmniboxCalculatorProvider,OmniboxOnDeviceHeadProviderNonIncognito\u003COmniboxOnDeviceHeadModelSelectionFix,OmniboxOnDeviceTailModel\u003COmniboxOnDeviceBrainModel,OmniboxRemoveSuggestionsFromClipboard\u003COmniboxBundledExperimentV1,OmniboxRichAutocompletion\u003CDesktopOmniboxRichAutocompletionMinChar,OmniboxShortcutBoost\u003CDesktopOmniboxShortcutBoost,OmniboxUIExperimentMaxAutocompleteMatches\u003COmniboxBundledExperimentV1,OnBeginFrameThrottleVideo\u003COnBeginFrameThrottleVideoDesktop,OnDeviceModelCpuBackend\u003COptimizationGuideOnDeviceModelCpuBackend,OptimizationGuideComposeOnDeviceEval\u003CComposeOnDeviceModel,OptimizationGuideOnDeviceModel\u003CComposeOnDeviceModel,OptimizationHints\u003COptGuideURLCacheSize,OptimizationHintsFetchingSRP\u003COptGuideBatchSRPTuning,OriginMatcherNewCopyAssignment\u003COriginMatcherNewCopyAssignment,OverscrollBehaviorRespectedOnAllScrollContainers\u003COverscrollBehaviorRespectedOnAllScrollContainers,PageActionsMigration\u003CPageActionsMigration,PageAllocatorRetryOnCommitFailure\u003CPerfCombined2025,PageContentAnnotationsPersistSalientImageMetadata\u003CRemotePageMetadataDesktopExpansion,PageInfoAboutThisSiteMoreLangs\u003CPageInfoAboutThisSite40Langs,PaintHoldingForIframes\u003CPaintHoldingOOPIF,PartitionAllocBackupRefPtr\u003CPartitionAllocBackupRefPtr,PartitionAllocEventuallyZeroFreedMemory\u003CPartialPageZeroing,PartitionAllocFreeWithSize\u003CPartitionAllocFreeWithSize,PartitionAllocMemoryReclaimer\u003CPartitionAllocMemoryReclaimer,PartitionAllocSchedulerLoopQuarantine\u003CPartitionAllocWithAdvancedChecks,PartitionAllocSchedulerLoopQuarantineTaskObserverForBrowserUIThread\u003CPartitionAllocWithAdvancedChecks,PartitionAllocShortMemoryReclaim\u003CPartitionAllocShortMemoryReclaim,PartitionAllocSortSmallerSlotSpanFreeLists\u003CPartitionAllocMemoryReclaimer,PartitionAllocStraightenLargerSlotSpanFreeLists\u003CPartitionAllocMemoryReclaimer,PartitionAllocUnretainedDanglingPtr\u003CPartitionAllocUnretainedDanglingPtr,PartitionAllocWithAdvancedChecks\u003CPartitionAllocWithAdvancedChecks,PartitionConnectionsByNetworkIsolationKey\u003CPartitionNetworkStateByNetworkAnonymizationKey,PassHistogramSharedMemoryOnLaunch\u003CPassHistogramSharedMemoryOnLaunch,PasskeyUnlockManager\u003CPasskeyUnlockManager,Path2DPaintCache\u003CPath2DPaintCache,PdfGetSaveDataInBlocks\u003CPdfGetSaveDataInBlocks,PdfInfoBar\u003CPdfInfoBar,PdfInk2\u003CPdfInkSignaturesTextHighlighter,PdfSaveToDrive\u003CPdfSaveToDrive,PdfSaveToDriveSurvey\u003CPdfSaveToDriveSurvey,PdfUseShowSaveFilePicker\u003CPdfUseShowSaveFilePicker,PdfUseSkiaRenderer\u003CPdfUseSkiaRenderer,PerformanceControlsHighEfficiencyOptOutSurvey\u003CPerformanceControlsHatsStudy,PermissionElementPromptPositioning\u003CPermissionElementPromptPositioning,PermissionPromiseLifetimeModulation\u003CPermissionPromiseLifetimeModulation,PermissionSiteSettingsRadioButton\u003CPermissionSiteSettingsRadioButton,PermissionsAIP92\u003CPermissionsAIP92,PermissionsAIv3\u003CPermissionsAIv3,PermissionsAIv4\u003CPermissionsAIv4,PlusAddressAcceptedFirstTimeCreateSurvey\u003CPlusAddressAcceptedFirstTimeCreateSurvey,PlusAddressAndroidOpenGmsCoreManagementPage\u003CPlusAddressesExperiment,PlusAddressDeclinedFirstTimeCreateSurvey\u003CPlusAddressDeclinedFirstTimeCreateSurvey,PlusAddressFallbackFromContextMenu\u003CPlusAddressesExperiment,PlusAddressFilledPlusAddressViaManualFallbackSurvey\u003CPlusAddressFilledPlusAddressViaManualFallbackSurvey,PlusAddressPreallocation\u003CPlusAddressesExperiment,PlusAddressUserCreatedMultiplePlusAddressesSurvey\u003CPlusAddressUserCreatedMultiplePlusAddressesSurvey,PlusAddressUserCreatedPlusAddressViaManualFallbackSurvey\u003CPlusAddressUserCreatedPlusAddressViaManualFallbackSurvey,PlusAddressUserDidChooseEmailOverPlusAddressSurvey\u003CPlusAddressUserDidChooseEmailOverPlusAddressSurvey,PlusAddressUserDidChoosePlusAddressOverEmailSurvey\u003CPlusAddressUserDidChoosePlusAddressOverEmailSurvey,PlusAddressesEnabled\u003CPlusAddressesExperiment,PowerBookmarkBackend\u003CPowerBookmarkBackend,PreconnectFromKeyedService\u003CPreconnectFromKeyedService,PreconnectToSearch\u003CPreconnectToSearchDesktop,PrefetchProxy\u003CPrefetchProxyDesktop,PrefetchServiceWorkerNoFetchHandlerFix\u003CPrefetchServiceWorkerNoFetchHandlerFix,PrefixCookieHostHttp\u003CPrefixCookieHttp,PrefixCookieHttp\u003CPrefixCookieHttp,PreloadMediaEngagementData\u003CUnifiedAutoplay,PreloadTopChromeWebUILessNavigations\u003CPreloadTopChromeWebUILessNavigations,Prerender2EarlyDocumentLifecycleUpdate\u003CPrerender2EarlyDocumentLifecycleUpdateV2,Prerender2FallbackPrefetchSpecRules\u003CPrerender2FallbackPrefetchSpecRules,Prerender2WarmUpCompositorForBookmarkBar\u003CPrerender2WarmUpCompositorForBookmarkBar,Prerender2WarmUpCompositorForImmediate\u003CPrerender2WarmUpCompositorForSpeculationRules,Prerender2WarmUpCompositorForNewTabPage\u003CPrerender2WarmUpCompositorForNewTabPage,Prerender2WarmUpCompositorForNonImmediate\u003CPrerender2WarmUpCompositorForSpeculationRules,PreserveDiscardableImageMapQuality\u003CPreserveDiscardableImageMapQuality,PreventDuplicateImageDecodes\u003CSpeculativeImageDecodes,PrewarmServiceWorkerRegistrationForDSE\u003CServiceWorkerBackgroundUpdate,PriceInsights\u003CPriceInsightsDesktopExpansionStudy,PriceTrackingSubscriptionServiceLocaleKey\u003CPriceTrackingDesktopExpansionStudy,PrivacySandboxAdsAPIs\u003CPrivacySandboxAdsAPIs,PrivacySandboxAdsAPIsM1Override\u003CPrivacySandboxAdsAPIs,PrivacySandboxInternalsDevUI\u003CPrivacySandboxInternalsDevUI,PrivacySandboxSentimentSurvey\u003CPrivacySandboxSentimentSurvey,PrivateAggregationApi\u003CPrivacySandboxAdsAPIs,PrivateAggregationApiErrorReporting\u003CPrivateAggregationApiErrorReporting,PrivateStateTokens\u003CPrivateStateTokens,ProactivelyDownloadModelForPasswordChange\u003CAutomatedPasswordChangeStudyModelUsage,ProcessHtmlDataImmediately\u003CProcessHtmlDataImmediately,ProcessPerSiteSkipDevtoolsUsers\u003CKeepDefaultSearchEngineAlive,ProductSpecifications\u003CCompare,ProductSpecificationsMqlsLogging\u003CCompare,ProfileSignalsReportingEnabled\u003CProfileSignalsReportingEnabled,ProfilesReordering\u003CProfilesReordering,ProgressiveAccessibility\u003CProgressiveAccessibility2,PruneOldTransferCacheEntries\u003CPruneOldTransferCacheEntries,PsDualWritePrefsToNoticeStorage\u003CPsDualWritePrefsToNoticeStorage,PushMessagingDisallowSenderIDs\u003CPushMessagingDisallowSenderIDs,PushMessagingGcmEndpointEnvironment\u003CPushMessagingGcmEndpointEnvironment,PushMessagingGcmEndpointWebpushPath\u003CPushMessagingGcmEndpointWebpushPath,QueueNavigationsWhileWaitingForCommit\u003CRenderDocumentWithNavigationQueueing,QuicDoesNotUseFeatures\u003CQUIC,QuicLongerIdleConnectionTimeout\u003CQuicLongerIdleConnectionTimeout,ReadAnythingLineFocus\u003CReadAnythingLineFocusExperiment,ReadAnythingMenuShuffleExperiment\u003CReadAnythingMenuShuffleExperiment,ReadAnythingReadAloudPhraseHighlighting\u003CReadAnythingReadAloudPhraseHighlighting,ReadAnythingReadAloudTSTextSegmentation\u003CReadAnythingReadAloudTsTextSegmentation,RebindPreconnectReceivers\u003CConnectionKeepAliveForHttp2,RedWarningSurvey\u003CRedWarningSurvey,ReduceAcceptLanguage\u003CReduceAcceptLanguage,ReduceAcceptLanguageHTTP\u003CReduceAcceptLanguageHTTP,ReduceCallingServiceWorkerRegisteredStorageKeysOnStartup\u003CServiceWorkerBackgroundUpdate,ReduceIPAddressChangeNotification\u003CReduceIPAddressChangeNotification,ReducePPMs\u003CPerfCombined2025,ReduceRequirementsForPasswordChange\u003CAutomatedPasswordChangeStudyV4,ReduceTransferSizeUpdatedIPC\u003CBackgroundResourceFetch,ReleaseResourceDecodedDataOnMemoryPressure\u003CPerfCombined2025,ReleaseResourceStrongReferencesOnMemoryPressure\u003CPerfCombined2025,ReloadTabUiResourcesIfChanged\u003CPerfCombined2025,RemotePageMetadata\u003CRemotePageMetadataDesktopExpansion,RemoveCancelledScriptedIdleTasks\u003CPerfCombined2025,RemoveDataUrlInSvgUse\u003CRemoveDataUrlInSvgUse,RemoveRendererProcessLimit\u003CRemoveRendererProcessLimit,RenderBlockingFullFrameRate\u003CRenderBlockingFullFrameRate,RenderDocument\u003CRenderDocumentWithNavigationQueueing,RendererSideContentDecoding\u003CRendererSideContentDecoding,ReplaceSyncPromosWithSignInPromos\u003CUnoPhase2Desktop,ReportStuckThrottle\u003CResumeNavigationWithSpeculativeRFHProcessGone,ReportingServiceAlwaysFlush\u003CStickyActivationTest,RequestMainFrameAfterFirstVideoFrame\u003CRequestMainFrameAfterFirstVideoFrame,ResolutionBasedDecoderPriority\u003CResolutionBasedDecoderPriority,ResponsiveToolbar\u003CSidePanelPinningWithResponsiveToolbar,RestrictPendingInputEventType\u003CRestrictPendingInputEventTypeToBlockMainThread,RestrictSpellingAndGrammarHighlights\u003CRestrictSpellingAndGrammarHighlights,ResumeNavigationWithSpeculativeRFHProcessGone\u003CResumeNavigationWithSpeculativeRFHProcessGone,RetryGetVideoCaptureDeviceInfos\u003CRetryGetVideoCaptureDeviceInfos,RollBackModeB\u003CRollBackModeB,SafeBrowsingDailyPhishingReportsLimit\u003CSafeBrowsingDailyPhishingReportsLimit,SafeBrowsingExtensionTelemetrySearchHijackingSignal\u003CSafeBrowsingExtensionTelemetrySearchHijackingSignal,SafeBrowsingExternalAppRedirectTelemetry\u003CSafeBrowsingExternalAppRedirectTelemetry,SafetyCheckUnusedSitePermissions\u003CSafetyCheckUnusedSitePermissions,SafetyHub\u003CSafetyHubIncreasePasswordCheckFrequency,SafetyHubDisruptiveNotificationRevocation\u003CSafetyHubDisruptiveNotificationRevocationDesktop,SafetyHubHaTSOneOffSurvey\u003CSafetyHubOneOffHats,SafetyHubUnusedPermissionRevocationForAllSurfaces\u003CSafetyHubUnusedPermissionRevocationForAllSurfaces,ScopedBestEffortExecutionFenceForTaskQueue\u003CEnableBestEffortTaskInhibitingPolicy,ScreenCaptureKitMacScreen\u003CScreenCaptureKitMacScreen,ScreenWinDisplayLookupByHMONITOR\u003CPerfCombined2025,ScriptStreamingForNonHTTP\u003CWebUIInProcessResourceLoading,SeamlessRenderFrameSwap\u003CSeamlessRenderFrameSwap,SearchEnginePreconnect2\u003CDSEPreconnect2,SearchEnginePreconnectInterval\u003CSearchEnginePreconnectInterval,SearchNavigationPrefetch\u003CSearchPrefetchHighPriorityPrefetches,SearchPrefetchWithNoVarySearchDiskCache\u003CHttpCacheNoVarySearch,SecurePaymentConfirmationUxRefresh\u003CSecurePaymentConfirmationUxRefresh,SegmentationPlatformFedCmUser\u003CFedCmSegmentationPlatform,SegmentationPlatformURLVisitResumptionRanker\u003CDesktopNtpTabResumption,SelectParserRelaxation\u003CCustomizableSelect,SendEmptyGestureScrollUpdate\u003CSendEmptyGestureScrollUpdate,ServiceWorkerAutoPreload\u003CServiceWorkerAutoPreload,ServiceWorkerBackgroundUpdateForRegisteredStorageKeys\u003CServiceWorkerBackgroundUpdate,ServiceWorkerClientIdAlignedWithSpec\u003CPlzDedicatedWorker,ServiceWorkerMergeFindRegistrationForClientUrl\u003CServiceWorkerBackgroundUpdate,ServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement\u003CServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement,ServiceWorkerStaticRouterRaceRequestFix2\u003CServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement,ServiceWorkerSyntheticResponse\u003CServiceWorkerSyntheticResponse,SessionRestoreInfobar\u003CSessionRestoreInfobar,SharedStorageAPI\u003CPrivacySandboxAdsAPIs,SharedWorkerBlobURLFix\u003CSharedWorkerBlobURLFix,SharingDisableVapid\u003CSharingDisableVapid,ShoppingAlternateServer\u003CShoppingAlternateServer,ShoppingList\u003CPriceTrackingDesktopExpansionStudy,ShoppingPDPMetrics\u003CEnablePDPMetricsUSDesktopIOS,ShowTabGroupsMacSystemMenu\u003CTabGroupInteractionsDesktop,SidePanelCompanion\u003CSidePanelCompanionDesktopM116Plus,SidePanelCompanionChromeOS\u003CSidePanelCompanionDesktopM116Plus,SidePanelPinning\u003CSidePanelPinningWithResponsiveToolbar,SilentPolicyAndDefaultAppUpdating\u003CDesktopPWAsPredictableAppUpdating,SimdutfBase64Encode\u003CSimdutfBase64Encode,SimpleCachePrioritizedCaching\u003CSimpleCachePrioritizedCaching,SimpleURLLoaderUseReadAndDiscardBodyOption\u003CHttpDiskCachePrewarming,SingleVideoFrameRateThrottling\u003CSingleVideoFrameRateThrottling,SiteInstanceGroupsForDataUrls\u003CSiteInstanceGroupsForDataUrls,SkiaGraphite\u003CSkiaGraphite,SkiaGraphiteSmallPathAtlas\u003CSkiaGraphiteSmallPathAtlas,SkipIPCChannelPausingForNonGuests\u003CSkipIPCChannelPausingForNonGuestsStudy,SkipModerateMemoryPressureLevelMac\u003CSkipModerateMemoryPressureLevelMac,SkipPagehideInCommitForDSENavigation\u003CSkipPagehideInCommitForDSENavigation,SkipTpcdMitigationsForAds\u003CCookieDeprecationFacilitatedTestingCookieDeprecation,SlimDirectReceiverIpc\u003CPerfCombined2025,SlopBucket\u003CSlopBucket,SoftNavigationDetectionAdvancedPaintAttribution\u003CSoftNavigationDetectionAdvancedPaintAttribution,SoftNavigationDetectionPrePaintBasedAttribution\u003CSoftNavigationDetectionPrePaintBasedAttribution,SonomaAccessibilityActivationRefinements\u003CSonomaAccessibilityActivationRefinements,SpareRPHUseCriticalMemoryPressure\u003CMultipleSpareRPHs,Spark\u003CWhatsNewSparkEdition,SpdyHeadersToHttpResponseUseBuilder\u003CSpdyHeadersToHttpResponseUseBuilder,SpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext\u003CSpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext,SpeculativeImageDecodes\u003CSpeculativeImageDecodes,SpeculativeServiceWorkerWarmUp\u003CSpeculativeServiceWorkerWarmUp,SpellcheckSeparateLocalAndAccountDictionaries\u003CUnoPhase2FollowUpDesktop,SplitCacheByNetworkIsolationKey\u003CSplitCacheByNetworkIsolationKey,SqlScopedTransactionWebDatabase\u003CSqlScopedTransactionWebDatabase,StandardizedBrowserZoom\u003CStandardizedBrowserZoom,StandardizedTimerClamping\u003CStandardizedTimerClamping,StarterPackExpansion\u003CDesktopOmniboxStarterPackExpansion,StarterPackIPH\u003COmniboxStarterPackIPH,StaticStorageQuota\u003CStaticStorageQuota,StorageBuckets\u003CStorageBuckets,StreamlineRendererInit\u003CStreamlineRendererInit,StrictAssociatedCountriesCheck\u003CDynamicProfileCountry,StringWidthCache\u003CStringWidthCache,SubframeProcessShutdownDelay\u003CSubframeProcessShutdownDelay,SubresourceFilterPrewarm\u003CSubresourceFilterPrewarm,SupportOpeningDraggedLinksInSameTab\u003CSupportOpeningDraggedLinksInSameTab,SuppressMemoryListeners\u003CPerfCombined2025,SuppressMemoryMonitor\u003CPerfCombined2025,SuppressesLoadingPredictorOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SuppressesPrerenderingOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SuppressesSearchPrefetchOnSlowNetwork\u003CSuppressesNetworkActivitiesOnSlowNetwork,SvgFallBackToContainerSize\u003CGlicShareImage,SymphoniaAudioDecoding\u003CSymphoniaAudioDecoding,SyncAccountSettings\u003CAutofillAiM3PublicPasses,SyncAutofillValuableMetadata\u003CAutofillAiM3PublicPasses,SyncBookmarksLimit\u003CSyncBookmarksLimit,SyncDetermineAccountManagedStatus\u003CSyncDetermineAccountManagedStatus,SyncEnableContactInfoDataTypeForCustomPassphraseUsers\u003CUnoPhase2Desktop,SyncIncreaseNudgeDelayForSingleClient\u003CSyncIncreaseNudgeDelayForSingleClient,SyncWalletFlightReservations\u003CAutofillAiM3PublicPasses,SyncWalletVehicleRegistrations\u003CAutofillAiM3PublicPasses,SystemSignalCollectionImprovementEnabled\u003CSystemSignalCollectionImprovementEnabled,TLSTrustAnchorIDs\u003CTLSTrustAnchorIDs,TPCDAdHeuristicSubframeRequestTagging\u003CCookieDeprecationFacilitatedTestingCookieDeprecation,TabAudioMuting\u003CTabAudioMuting,TabGroupMenuImprovements\u003CTabGroupInteractionsDesktop,TabGroupMenuMoreEntryPoints\u003CTabGroupInteractionsDesktop,TabHoverCardImages\u003CTabHoverCardImagesMacArm,TabstripComboButton\u003CTabstripComboButton,TabstripDeclutter\u003CTabstripDeclutter,TailoredSecurityIntegration\u003CTailoredSecurityIntegration,TaskManagerDesktopRefresh\u003CTaskManagerDesktopRefresh,TcpSocketPoolLimitRandomization\u003CTcpSocketPoolLimitRandomization,TerminationTargetPolicy\u003CPerfCombined2025,TextInputHostMojoCapabilityControlWorkaround\u003CTextInputHostMojoCapabilityControlWorkaround,TextSafetyClassifier\u003CComposeOnDeviceModel,TextSafetyScanLanguageDetection\u003CTextSafetyScanLanguageDetection,ThreeButtonPasswordSaveDialog\u003CThreeButtonPasswordSaveDialog,ThrottleMainFrameTo60Hz\u003CThrottleMainFrameTo60HzMacV2,ToolbarPinning\u003CToolbarPinning,TraceSiteInstanceGetProcessCreation\u003CTraceSiteInstanceGetProcessCreation,TrackEmptyRendererProcessesForReuse\u003CKeepDefaultSearchEngineAlive,TranslateOpenSettings\u003CTranslateBubbleOpenSettings,TrustSafetySentimentSurvey\u003CTrustSafetySentimentSurvey,TrustSafetySentimentSurveyV2\u003CTrustSafetySentimentSurveyV2,TrustTokens\u003CTrustTokenOriginTrial,TryQuicByDefault\u003CIncreaseHttp3Usage,UIEnableSharedImageCacheForGpu\u003CUIEnableSharedImageCacheForGpu,UMANonUniformityLogNormal\u003CUMA-NonUniformity-Trial-1-Percent,UMAPseudoMetricsEffect\u003CUMA-Pseudo-Metrics-Effect-Injection-25-Percent,UkmReduceAddEntryIPC\u003CReduceIPCCombined,UkmSamplingRate\u003CUkmSamplingRate,UnlockDuringGpuImageOperations\u003CUnlockDuringGpuImageOperations,UnoPhase2FollowUp\u003CUnoPhase2FollowUpDesktop,UpdateDirectManipulationHelperOnParentChange\u003CPerfCombined2025,UpdateIsMainFrameOriginRecentlyAccessed\u003CUpdateIsMainFrameOriginRecentlyAccessedStudy,UploadRealtimeReportingEventsUsingProto\u003CProtoBasedEnterpriseReporting,UrgentMainFrameForInput\u003CThrottleMainFrameTo60HzMacV2,UseActionablesForImprovedPasswordChange\u003CAutomatedPasswordChangeStudyV4,UseBoringSSLForRandBytes\u003CUseBoringSSLForRandBytes,UseCECFlagInPolicyData\u003CUseCecEnabledFlag,UseDnsHttpsSvcb\u003CDnsHttpsSvcbTimeout,UseLastVisitedFallbackURLFavicon\u003CUseLastVisitedFallbackURLFavicon,UsePersistentCacheForCodeCache\u003CUsePersistentCacheForCodeCache,UsePrimaryAndTonalButtonsForPromos\u003CUsePrimaryAndTonalButtonsForPromos,UseSCContentSharingPicker\u003CUseSCContentSharingPicker,UseSmartRefForGPUFenceHandle\u003CUseSmartRefForGPUFenceHandle,UseSnappyForParkableStrings\u003CUseSnappyForParkableStrings,UseUnexportableKeyServiceInBrowserProcess\u003CDBSCMacUKSInBrowserProcess,UseZstdForParkableStrings\u003CParkableStringsLessAggressiveAndZstd,UserBypassUI\u003CUserBypassUI,UserRemoteCommands\u003CProfileRemoteCommands,UserRemoteCommandsInvalidationWithDirectMessagesEnabled\u003CProfileRemoteCommands,UserValueDefaultBrowserStrings\u003CUserValueDefaultBrowserStrings,V8Flag_detect_ineffective_gcs_near_heap_limit\u003CV8IneffectiveMarkCompact,V8Flag_disable_eager_allocation_failures\u003CV8DisableEagerAllocationFailures,V8Flag_external_memory_accounted_in_global_limit\u003CV8ExternalMemoryAccountedInGlobalLimit,V8Flag_flush_code_based_on_time\u003CV8CodeFlushing,V8Flag_ineffective_gcs_forces_last_resort\u003CV8CodeFlushing,V8Flag_large_page_pool\u003CV8LargePagePool,V8Flag_late_heap_limit_check\u003CV8LateHeapLimitCheck,V8Flag_managed_zone_memory\u003CV8ManagedZoneMemory,V8Flag_new_old_generation_heap_size\u003CV8NewOldGenerationHeapSize,V8Flag_zero_unused_memory\u003CPartialPageZeroing,V8MemoryPoolReleaseOnMallocFailures\u003CV8MemoryPoolReleaseOnMallocFailures,V8PreconfigureOldGen\u003CV8PreconfigureOldGen,V8SideStepTransitions\u003CV8SideStepTransitions,V8SingleThreadedGCInBackground\u003CV8SingleThreadedGCInBackgroundVariants,VSyncDecoding\u003CVSyncDecoding,VariationsStickyPersistence\u003CVariationsStickyPersistence,VerifyDidCommitParams\u003CVerifyDidCommitParams,VerifyQWACs\u003CVerifyQWACsRollout,VisibilityAwareResourceScheduler\u003CVisibilityAwareResourceScheduler,VisitedLinksOn404\u003CVisitedLinksOn404,VisitedURLRankingService\u003CVisitedURLRankingService,VisualQuerySuggestions\u003CSidePanelCompanionDesktopM116Plus,WaffleRestrictToAssociatedCountries\u003CDynamicProfileCountry,WallpaperSearchGraduated\u003CChromeWallpaperSearchGlobal,WebAppPredictableAppUpdating\u003CDesktopPWAsPredictableAppUpdating,WebAppUsePrimaryIcon\u003CDesktopPWAsPredictableAppUpdating,WebAuthenticationNewRefreshFlow\u003CWebAuthenticationNewRefreshFlow,WebContentsDiscard\u003CWebContentsDiscard,WebGPUEnableRangeAnalysisForRobustness\u003CWebGPUEnableRangeAnalysisForRobustness,WebRTC-DataChannelMessageInterleaving\u003CWebRTC-DataChannelMessageInterleaving,WebRTC-Video-H26xPacketBuffer\u003CWebRTC-Video-H26xPacketBuffer,WebRTCColorAccuracy\u003CWebRTCColorAccuracy,WebRtcAllowH265Receive\u003CWebRTC-Video-ReceiveAndSendH265,WebRtcAllowH265Send\u003CWebRTC-Video-ReceiveAndSendH265,WebRtcAudioSinkUseTimestampAligner\u003CWebRtcAudioSinkUseTimestampAligner,WebRtcPqcForDtls\u003CWebRtcPqcForDtls,WebUIInProcessResourceLoading\u003CWebUIInProcessResourceLoading,WebrtcAcceleratedScaling\u003CWebrtcEncodeReadbackOptimization,WhatsNewDesktopRefresh\u003CWhatsNewRefresh,XSLTSpecialTrial\u003CXSLTSpecialTrial,YourSavedInfoBrandingInSettings\u003CYourSavedInfoBrandingInSettings,YourSavedInfoSettingsPage\u003CYourSavedInfoSettingsPage,ZeroCopyTabCapture\u003CZeroCopyTabCaptureStudyMac,ZeroStateSuggestionsV2\u003CZeroStateSuggestionsV2,ZeroSuggestPrefetchDebouncing\u003CZPSPrefetchDebouncingDesktop,ZstdForCrossSiteSpeculationRulesPrefetch\u003CZstdForCrossSiteSpeculationRulesPrefetch,kSpareRPHKeepOneAliveOnMemoryPressure\u003CMultipleSpareRPHs","force-fieldtrial-params":"AIMHintText.ThreePerDayFifteenTotal:AimHintImpressionLimitDaily/3/AimHintImpressionLimitTotal/15/EnableHintImpressionLimits/true/HideAimHintTextOnNtpOpen/false,AnnotatedPageContentExtraction.Glic:capture_delay/5s/on_critical_path/true,AutoSpeculationRules.Enabled_20231201:config/%7B%22framework_to_speculation_rules%22%3A%7B%2212%22%3A%22%7B%5C%22prefetch%5C%22%3A%5B%7B%5C%22source%5C%22%3A%5C%22document%5C%22%2C%5C%22eagerness%5C%22%3A%5C%22conservative%5C%22%2C%5C%22where%5C%22%3A%7B%5C%22href_matches%5C%22%3A%5C%22%2F%2A%5C%22%7D%7D%5D%7D%22%7D%7D/holdback/false,AutofillAddressUserPerceptionSurveyUS.Enabled:en_site_id/Q13fLRHym0ugnJ3q1cK0Tm5d8fMW/probability/1,AutofillCreditCardUserPerceptionSurvey.Enabled:en_site_id/Q13fLRHym0ugnJ3q1cK0Tm5d8fMW/probability/1,AutofillImprovedLabels.Enabled_WithDifferentiatingLabelsInFront:autofill_improved_labels_with_differentiating_labels_in_front/true/autofill_improved_labels_without_main_text_changes/false,AutofillModelPredictions.Enabled:model_active/false,AutofillPasswordUserPerceptionSurvey.Enabled:en_site_id/cLnNGzEX59NNVVEtwumiSF/probability/1,AutofillSurveys.Card_20230606:en_site_id/F2fsskHvB0ugnJ3q1cK0NXLjUaK5/probability/1%2E0,AutofillUKMExperimentalFields.Enabled:autofill_experimental_regex_bucket1/test1,AutofillVcnEnrollStrikeExpiryTime.Enabled:autofill_vcn_strike_expiry_time_days/180,AvoidEntryCreationForNoStore.Enabled:AvoidEntryCreationForNoStoreCacheSize/40000,BackNavigationMenuIPH.EnabledIPHWhenUserPerformsChainedBackNavigation_20230510:availability/%3E0/event_trigger/name%3Aback_navigation_menu_iph_is_triggered%3Bcomparator%3A%3C%3D4%3Bwindow%3A365%3Bstorage%3A365/event_used/name%3Aback_navigation_menu_is_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A7%3Bstorage%3A365/session_rate/%3C1/snooze_params/max_limit%3A4%2Csnooze_interval%3A7/x_experiment/1,BeaconLeakageLogging.Enabled_v1:category_param_name/category/category_prefix/acrcp_v1_,BrowserThreadPoolAdjustmentForDesktop.thread_pool_default_20230920:BrowserThreadPoolCoresMultiplier/0%2E6/BrowserThreadPoolMax/32/BrowserThreadPoolMin/16/BrowserThreadPoolOffset/0,CacheSharingForPervasiveScripts.Enabled_20250520:url_patterns/https%3A%2F%2Fwww%2Egoogle-analytics%2Ecom%2Fanalytics%2Ejs%0Ahttps%3A%2F%2Fssl%2Egoogle-analytics%2Ecom%2Fga%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogle-analytics%2Ecom%2Fplugins%2Fua%2Fec%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Fadsense%2F%2A%2Fshow_ads_impl_fy2021%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Factiveview%2Fcurrent%2Fufs_web_display%2Ejs%0Ahttps%3A%2F%2Fpagead2%2Egooglesyndication%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Fadsense%2F%2A%2Freactive_library_fy2021%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogleadservices%2Ecom%2Fpagead%2Fconversion%2Ejs%0Ahttps%3A%2F%2Fwww%2Egoogleadservices%2Ecom%2Fpagead%2Fmanaged%2Fjs%2Factiveview%2Fcurrent%2Freach_worklet%2Ejs%0Ahttps%3A%2F%2Fsecurepubads%2Eg%2Edoubleclick%2Enet%2Fpagead%2Fmanaged%2Fjs%2Fgpt%2F%2A%2Fpubads_impl%2Ejs%0Ahttps%3A%2F%2Fsecurepubads%2Eg%2Edoubleclick%2Enet%2Fpagead%2Fmanaged%2Fjs%2Fgpt%2F%2A%2Fpubads_impl_page_level_ads%2Ejs%0Ahttps%3A%2F%2Ftpc%2Egooglesyndication%2Ecom%2Fpagead%2Fjs%2F%2A%2Fclient%2Fqs_click_protection_fy2021%2Ejs%0Ahttps%3A%2F%2Ftpc%2Egooglesyndication%2Ecom%2Fsafeframe%2F%2A%2Fjs%2Fext%2Ejs%0Ahttps%3A%2F%2Fep2%2Eadtrafficquality%2Egoogle%2Fsodar%2Fsodar2%2Ejs,Canvas2DAutoFlushParams.Candidate:max_pinned_image_kb/32768/max_recorded_op_kb/2048,ChromeWallpaperSearchHaTS.Enabled:WallpaperSearchHatsDelayParam/18s/en_site_id/foo/probability/1%2E0,ChromeWallpaperSearchLaunch.DefaultOnLaunched:NtpWallpaperSearchButtonHideConditionParam/1,ChromeWideEchoCancellation.Enabled_20220412:processing_fifo_size/110,ChromnientAimM3.Enabled:contextualize-on-focus/true/enable-client-side-header/true,ChromnientEduActionChipV2.TestConfig:disabled-by-glic/true/hashed-domain-block-filters/1525650667/url-allow-filters/%5B%22%2A%22%5D/url-block-filters/%5B%5D/url-path-forced-allowed-match-patterns/%5B%5D/url-path-match-allow-filters/%5B%22(%3Fi)allowedword%22%5D/url-path-match-block-filters/%5B%22(%3Fi)blockedword%22%5D,ChromnientEntrypointLabelAlt.Enabled:id/1,ChromnientReinvocationAffordance.Enabled:clear-vsint-when-no-region-selection/true/enable-typeahead-suggestions/true/lens-aim-suggestions-type/Multimodal/number-of-aim-suggestions/8/send-image-signals-for-lens-suggest/false/send-lens-visual-interaction-data-for-lens-suggest/true,ChromnientSurvey.Enabled:en_site_id/LvUA3D5Ts0ugnJ3q1cK0SHbD7uPa/probability/0%2E5/results-time/6s,ChromnientTextSelectionContextMenuEntrypoint.Enabled_Contextualized:contextualize/true,ClientSideDetectionClipboardCopyApi.Enabled:HCAcceptanceRate/1/MaxLength/1000/MinLength/50/ProcessPayload/true/SampleRate/1,ClientSideDetectionCreditCardForm.Enabled:HCAcceptanceRate/1%2E0/SampleRate/0%2E0,ClientSideDetectionRetryLimit.Enabled:RetryTimeMax/15,CompensateGestureDetectorTimeouts.Enabled:compensate_gesture_timeouts_for_long_delayed_sequences/false,ComposeAcceptanceSurvey.Enabled:en_site_id/44m1DgehL0ugnJ3q1cK0Qih71MRQ/probability/0%2E1,ComposeCloseSurvey.Enabled:en_site_id/mT2d9fiNR0ugnJ3q1cK0SdAewrT2/probability/0%2E1,ComposeModelQualityLogging.ComposeLoggingEnabled_Dogfood:model_execution_feature_compose/true,ComposeOnDeviceModel.Enabled:on_device_retract_unsafe_content/false/on_device_text_safety_token_interval/10,ComposeProactiveNudgePosition.Enabled_CursorNudgeModel:proactive_nudge_compact_ui/true/proactive_nudge_delay_milliseconds/1000/proactive_nudge_force_show_probability/0%2E04/proactive_nudge_show_probability/0%2E02,ConfigurableV8CodeCacheHotHours.cache_72h_20230904:V8CodeCacheHotHours/72,ConnectionKeepAliveForHttp2.EnabledWithBindReceiversEverytime_20251111_CanaryDev:kRebindReceiverEvent/kOnlyOnConnectionClosedOrFailed,ContextualSearchBox.Enabled_AutoFocus_ApcOnly_UiUpdates_20250613:auto-focus-searchbox/true/page-content-request-id-fix/true/pdf-text-character-limit/5000/send-page-url-for-contextualization/true/show-contextual-searchbox-ghost-loader-loading-state/true/update-viewport-each-query/true/use-apc-as-context/true/use-inner-html-as-context/false/use-inner-text-as-context/false/use-pdf-interaction-type/true/use-pdf-vit-param/true/use-pdfs-as-context/true/use-updated-content-fields/true/use-webpage-interaction-type/true/use-webpage-vit-param/true,ContextualTasksDesktop.Enabled:ContextualTasksEntryPoint/toolbar-permanent,CookieDeprecationFacilitatedTestingCookieDeprecation.Treatment_PreStable_20231002:SkipTpcdMitigationsForAdsHeuristics/true/SkipTpcdMitigationsForAdsMetadata/true/SkipTpcdMitigationsForAdsSupport/true/decision_delay_time/1s/disable_3p_cookies/true/disable_ads_apis/false/enable_otr_profiles/false/enable_silent_onboarding/false/label/prestable_treatment_1/need_onboarding_for_label/true/need_onboarding_for_synthetic_trial/true/use_profile_filtering/false/version/2,DSEPreconnect2.EnabledWithbase_60_30_30_30__20250507:FallbackInLowPowerMode/false/IdleTimeoutInSeconds/60/MaxPreconnectRetryInterval/30/MaxShortSessionThreshold/30s/PingIntervalInSeconds/30/QuicConnectionOptions/ECCP,DeferSpeculativeRFHCreation.EnabledWithPrewarmAndDelay:create_speculative_rfh_delay_ms/1/create_speculative_rfh_filter_restore/true/warmup_spare_process/true,DeprecateUnload.Enabled_135:allowlist/a%2Ecom%2Cb%2Ecom%2Cc%2Ecom%2Cd%2Ecom%2Ce%2Ecom%2Cf%2Ecom%2Cweb-platform%2Etest%2Cwww1%2Eweb-platform%2Etest%2C127%2E0%2E0%2E1%2Cexample%2Etest%2Cwww%2Egoogle%2Ecom/rollout_percent/0,DesktopNtpDriveCache.Cache_1m:NtpDriveModuleCacheMaxAgeSParam/60/NtpDriveModuleExperimentGroupParam/experiment_1234,DesktopNtpModules.RecipeTasksRuleBasedDiscountDriveManagedUsersCartOptimizeRecipeTasksSAPIV2Fre_Enabled:NtpModulesLoadTimeoutMillisecondsParam/3000/use_sapi_v2/true,DesktopNtpSimplification.Enabled_Dev_Canary_Beta:ModuleMinStalenessUpdateTimeInterval/1d/ShortcutsMinStalenessUpdateTimeInterval/1d/StaleModulesCountThreshold/1/StaleShortcutsCountThreshold/3,DesktopNtpTabResumption.TabResumption_Random:use_random_score/true,DesktopOmniboxRichAutocompletionMinChar.Enabled_1_v1:RichAutocompletionAutocompleteShortcutTextMinChar/1/RichAutocompletionAutocompleteTitlesMinChar/1,DesktopOmniboxShortcutBoost.Enabled:ShortcutBoostGroupWithSearches/true/ShortcutBoostNonTopHitSearchThreshold/2/ShortcutBoostNonTopHitThreshold/2/ShortcutBoostSearchScore/1414/ShortcutBoostUrlScore/1414/omnibox_history_cluster_provider_inherit_search_match_score/true/omnibox_history_cluster_provider_score/1414,DesktopPWAInstallPromotionML.Disabled:guardrail_report_prob/0%2E5/max_days_to_store_guardrails/180/model_and_user_decline_report_prob/0%2E5,DiscardInputEventsToRecentlyMovedFrames.DoNotDiscard:distance_factor/100000%2E/time_ms/0,DiscountAutoPopup.Enabled:history-cluster-behavior/1/merchant-wide-behavior/2/non-merchant-wide-behavior/0,DiskCacheBackendExperiment.Sql:SqlDiskCacheLoadIndexOnInit/true/SqlDiskCacheShardCount/3/SqlDiskCacheSynchronousOff/true/backend/sql,DnsHttpsSvcbTimeout.Enabled:UseDnsHttpsSvcbInsecureExtraTimeMax/500ms/UseDnsHttpsSvcbInsecureExtraTimeMin/300ms/UseDnsHttpsSvcbInsecureExtraTimePercent/50/UseDnsHttpsSvcbSecureExtraTimeMax/500ms/UseDnsHttpsSvcbSecureExtraTimeMin/300ms/UseDnsHttpsSvcbSecureExtraTimePercent/50,DownloadWarningSurvey.DownloadBubbleBypass_20240513:en_site_id/ikozJtokP0ugnJ3q1cK0SbwHjMKE/probability/1%2E0/survey_type/0,EnableAsyncUploadAfterVerdict.Enabled:max_parallel_requests/15,EnableDiscountOnShoppyPagesDesktop.Enabled:discount-on-shoppy-page/true,EnableHangWatcher.Enabled:io_thread_log_level/2/renderer_process_io_thread_log_level/2/ui_thread_log_level/2/utility_process_main_thread_log_level/2,EnableHangWatcherOnGpuProcess.Enabled:gpu_process_compositor_thread_log_level/2/gpu_process_io_thread_log_level/2/gpu_process_main_thread_log_level/2,EnableLazyLoadImageForInvisiblePage.Enabled_AllInvisiblePage:enabled_page_type/all_invisible_page,EnableNewUploadSizeLimit.Enabled_200MB:max_file_size_mb/200,ExtensionsZeroStatePromo.Chips_v1:x_iph-variant/custom-ui-chip-iph,ExtremeLightweightUAFDetector.Quarantine_900_100_512_v6:object_size_threshold_in_bytes/512/quarantine_capacity_for_large_objects_in_bytes/0/quarantine_capacity_for_small_objects_in_bytes/1048576/sampling_frequency/100/target_processes/browser_only,FLEDGEBiddingAndAuctionServer.Enabled:FledgeBiddingAndAuctionKeyConfig/%7B%22https%3A%2F%2Fpublickeyservice%2Egcp%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%2C+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%2C+%22https%3A%2F%2Fpublickeyservice%2Epa%2Eaws%2Eprivacysandboxservices%2Ecom%22%3A+%22https%3A%2F%2Fpublickeyservice%2Epa%2Eaws%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys%22%7D/FledgeBiddingAndAuctionKeyURL/https%3A%2F%2Fpublickeyservice%2Epa%2Egcp%2Eprivacysandboxservices%2Ecom%2F%2Ewell-known%2Fprotected-auction%2Fv1%2Fpublic-keys,FenderAutoPreconnectLcpOrigins.EnabledWithOne_20240214:lcpp_preconnect_frequency_threshold/0%2E5/lcpp_preconnect_max_origins/1,GlicActorRolloutControl.Enabled_Dogfood:glic_actor_enterprise_pref_default/enabled_by_default/glic_actor_policy_control_exemption/false,GlicButtonAltLabel.LabelA:glic-button-alt-label-variant/0,GlicClientResponsivenessCheckExtension.Enabled:glic-client-unresponsive-ui-max-time-ms/15000,GlicUserStatusCheckDogfood.Enabled:glic-user-status-oauth2-scope/https%3A%2F%2Fwww%2Egoogleapis%2Ecom%2Fauth%2Fgemini/glic-user-status-request-delay/23h/glic-user-status-url/https%3A%2F%2Fwww%2Eexample%2Ecom%2F,GlicZeroStateSuggestionsDogfood.Enabled:ZSSExtractAnnotatedPageContent/true/ZSSExtractInnerText/false,GoogleLensDesktopImageFormatOptimizations.WebpQualityBackendV6:dismiss-loading-state-on-document-on-load-completed-in-primary-main-frame/false/dismiss-loading-state-on-navigation-entry-committed/true/encoding-quality-image-search/45/encoding-quality-region-search/45/lens-homepage-url/https%3A%2F%2Flens%2Egoogle%2Ecom%2Fv3%2F/lens-html-redirect-fix/false/use-jpeg-for-image-search/false/use-webp-for-image-search/true,GrCacheLimits.cache_96_256_8_default_20230911:MaxDefaultGlyphCacheTextureBytes/8388608/MaxGaneshResourceCacheBytes/100663296/MaxHighEndGaneshResourceCacheBytes/268435456,GroupedHistoryAllLocales.Enabled:JourneysLocaleOrLanguageAllowlist/%2A,HTTP2.Enabled6:http2_grease_settings/true,HandleNonDamagingInputsInScrollJankV4Metric.Experiment_NewBehaviorCountAllFrames:count_non_damaging_frames_towards_histogram_frame_count/true,HappinessTrackingSurveysForHistoryEmbeddings.Enabled:en_site_id/TKWU6DjUi0ugnJ3q1cK0Z69WFqDB/probability/0%2E5,HappyEyeballsV3.EnabledFirstJob:tcp_based_attempt_delay_behavior/first_job,HistoryEmbeddingsV2Images.Enabled:EnableImagesForResults/true,HttpDiskCachePrewarming.WithReadAndDiscardBody_20240328:http_disk_cache_prewarming_main_resource/false/http_disk_cache_prewarming_use_read_and_discard_body_option/true,IgnoreDuplicateNavs.Enabled_threshold_3s:duplicate_nav_threshold/3s,IncreaseHttp3Usage.EnabledWithAll_20251024:AdditionalDelay/100ms/DelayMainJobWithAvailableSpdySession/false/QuicHandshakeTimeout/15s/mtu/1230/quic_options/ORIG,InfoBarPrioritizationAndUIRefresh.Enabled:kMaxLowQueued/1/kMaxVisibleCritical/2/kMaxVisibleDefault/1/kMaxVisibleLow/1,KeyboardLockPrompt.Enabled_PEPC:use_pepc_ui/true,LCPPDeferUnusedPreload.EnableWithPostTask_20240426:load_timing/post_task,LCPPFontURLPredictor.Enabled:lcpp_font_prefetch_threshold/1%2E1/lcpp_font_url_frequency_threshold/0%2E1/lcpp_max_font_url_count_per_origin/5/lcpp_max_font_url_length/1024/lcpp_max_font_url_to_preload/1,LCPPImageLoadingPriority.MediumPriority_20240418:lcpp_adjust_image_load_priority/true/lcpp_adjust_image_load_priority_confidence_threshold/0%2E5/lcpp_adjust_image_load_priority_override_first_n_boost/true/lcpp_enable_image_load_priority_for_htmlimageelement/false/lcpp_enable_perf_improvements/true/lcpp_image_load_priority/medium/lcpp_max_element_locator_length/1024/lcpp_max_histogram_buckets/10/lcpp_max_hosts_to_track/100/lcpp_recorded_lcp_element_types/image_only/lcpp_sliding_window_size/1000,LCPPLazyLoadImagePreload.EnableWithNativeLazyLoading_20231113:lcpp_preload_lazy_load_image_type/native_lazy_loading,LinkPreview.EnabledAltClick:trigger_type/alt_click,LiveCaptionExperimentalLanguages.Enabled:available_languages/en-US%2Cfr-FR%2Cit-IT%2Cde-DE%2Ces-ES%2Cja-JP%2Chi-IN%2Cpt-BR%2Cko-KR%2Cpl-PL%2Cth-TH%2Ctr-TR%2Cid-ID%2Ccmn-Hans-CN%2Ccmn-Hant-TW%2Cvi-VN%2Cru-RU,LocalNetworkAccessChecks.EnabledBlocking:LocalNetworkAccessChecksWarn/false,LogOnDeviceMetricsOnStartup.Enabled:on_device_startup_metric_delay/3m,MultipleSpareRPHs.Enabled2:count/2,NetworkQualityEstimatorAsync.Experiment:defer_until_next_step/false,NetworkQualityEstimatorParameterTuning.Experiment:HalfLifeSeconds/15/RecentEndToEndThresholdInSeconds/60/RecentHTTPThresholdInSeconds/60/RecentTransportThresholdInSeconds/60,NetworkServiceTaskScheduler2.Enabled:http_cache/true/http_cache_transaction/true,NewContentForCheckerboardedScrollsPerFrame.Enabled:mode/per_frame,NotificationTelemetrySwb.Enabled:NotificationTelemetrySwbPollingInterval/60/NotificationTelemetrySwbReportingProbability/1%2E0/NotificationTelemetrySwbSendReports/true,NtpBrowserPromos.Enabled:promo-type/simple,NtpComposeboxDesktop.Enabled:ConfigParam/CgIIAxI8CAEQARoXCAAQ4MZbGMAMIMAMKCgyB2ltYWdlLyoiGwiAhK9fEhQucGRmLGFwcGxpY2F0aW9uL3BkZigB/ShowComposeboxZps/true/ShowContextMenu/true,NtpMicrosoftFilesCard.Enabled_NonInsights:NtpSharepointModuleDataParam/non-insights,NtpRealboxNextDesktop.Enabled:CyclingPlaceholders/true/RealboxLayoutMode/TallTopContext,OcclusionCullingQuadSplitLimit.quad_split_limit_8:num_of_splits/8,OmniboxLogURLScoringSignals.Enabled:enable_scoring_signals_annotators/true,OmniboxOnDeviceHeadModelSelectionFix.Fix:SelectionFix+/true,OptGuideBatchSRPTuning.Enabled_20240624:max_urls_for_srp_fetch/10,OptGuideURLCacheSize.Enabled_20240625:max_url_keyed_hint_cache_size/50,OutOfProcessPrintDriversPrint.Enabled_20230912:EarlyStart/false/JobPrint/true/Sandbox/false,PageActionsMigration.Enabled:ai_mode/true/autofill_address/true/bookmark_star/true/click_to_call/true/collaboration_messaging/true/cookie_controls/true/discounts/true/file_system_access/true/filled_card_information/true/find/true/intent_picker/true/lens_overlay/true/lens_overlay_homework/true/manage_passwords/true/mandatory_reauth/true/memory_saver/true/offer_notification/true/price_insights/true/price_tracking/true/pwa_install/true/reading_mode/true/save_payments/true/sharing_hub/true/translate/true/virtual_card/true/zoom/true,PartitionAllocBackupRefPtr.Enabled:enabled-processes/all-processes,PartitionAllocFreeWithSize.enabled_with_strict_check_20251212:strict-free-size-check/true,PartitionAllocMemoryReclaimer.Interval_8sec:interval/8s/mode/only-when-unprovisioning,PartitionAllocUnretainedDanglingPtr.Enabled:mode/dump_without_crashing,PartitionAllocWithAdvancedChecks.enabled_512K_20250912:PartitionAllocSchedulerLoopQuarantineConfig/%7B%22browser%22%3A%7B%22main%22%3A%7B%22branch-capacity-in-bytes%22%3A524288%2C%22enable-quarantine%22%3Atrue%2C%22enable-zapping%22%3Atrue%2C%22leak-on-destruction%22%3Afalse%7D%7D%7D/enabled-processes/browser-only,PdfInfoBar.EnabledStartup:trigger/startup,PdfInkSignaturesTextHighlighter.enabled:text-highlighting/true,PdfSaveToDriveSurvey.Enabled:consumer-trigger-id/E6hRdJzmG0ugnJ3q1cK0WrDN8qfv/enterprise-trigger-id/NYK9PbTYD0ugnJ3q1cK0Twvu4X5v/probability/1%2E0,PdfUseSkiaRenderer.Enabled:premultiplied-alpha/true,PerfCombined2025.EnabledConservative_20251114:MacCriticalDiskSpacePressureThresholdMB/250/suppress_memory_listeners_mask/0000200200220200020020000002020000000000000000020/suppress_memory_monitor_mask/00020000020000,PerformanceControlsHatsStudy.EnabledHighEfficiencyOptOut_20230223:en_site_id/hEedoxCS30ugnJ3q1cK0YKKzXjSm/probability/1%2E0,PermissionElementPromptPositioning.NearElement:PermissionElementPromptPositioningParam/near_element,PreconnectFromKeyedService.EnabledWithOTRtrue_20250724_Stable:IdleTimeoutInSeconds/30/MaxPreconnectRetryInterval/30/MaxShortSessionThreshold/30s/PingIntervalInSeconds/27/QuicConnectionOptions/ECCP/run_on_otr/true,PreconnectToSearchDesktop.EnabledWithStartupDelayForegroundOnly:skip_in_background/true/startup_delay_ms/5000,Prerender2FallbackPrefetchSpecRules.Enabled_NoTimeout_Burst:kPrerender2FallbackPrefetchSchedulerPolicy/Burst/kPrerender2FallbackPrefetchUseBlockUntilHeadTimetout/false/kPrerender2FallbackUsePreloadServingMetrics/true,PriceTrackingPageActionIconLabelFeatureIPH.Enabled:availability/any/event_trigger/name%3Aprice_tracking_page_action_icon_label_in_trigger%3Bcomparator%3A%3D%3D0%3Bwindow%3A1%3Bstorage%3A365/event_used/name%3Aused%3Bcomparator%3Aany%3Bwindow%3A365%3Bstorage%3A365/session_rate/any,PrivacySandboxAdsAPIs.Enabled_Notice_M1_AllAPIs_Expanded_NoOT_Stable:implementation_type/mparch,PrivacySandboxSentimentSurvey.Enabled:probability/1%2E0/sentiment-survey-trigger-id/EHJUDsZQd0ugnJ3q1cK0Ru5GreU3,ProcessHtmlDataImmediately.AllChunks:first/true/main/true/rest/true,ProgressiveAccessibility2.Enabled:progressive_accessibility_mode/disable_on_hide,PushMessagingGcmEndpointEnvironment.Enabled_Dogfood:PushMessagingGcmEndpointUrl/https%3A%2F%2Fjmt17%2Egoogle%2Ecom%2Ffcm%2Fsend%2F,QUIC.EnabledNoId:channel/D/epoch/20250423/retransmittable_on_wire_timeout_milliseconds/200,ReadAnythingIPHRollout.Enabled:availability/any/distillable_urls/support%2Egoogle%2Ecom%2Cdocs%2Egoogle%2Ecom/event_trigger/name%3Aiph_reading_mode_side_panel_trigger%3Bcomparator%3A%3C%3D3%3Bwindow%3A360%3Bstorage%3A360/event_used/name%3Areading_mode_side_panel_shown%3Bcomparator%3A%3D%3D0%3Bwindow%3A360%3Bstorage%3A360/session_rate/%3D%3D0,ReadAnythingMenuShuffleExperiment.EnabledWithSeparation:read_anything_menu_shuffle_group_name/MenuShuffleSeparation,RedWarningSurvey.RedInterstitial_20241212:RedWarningSurveyDidProceedFilter/TRUE%2CFALSE/RedWarningSurveyTriggerId/ZdMdCoDc50ugnJ3q1cK0VwqVnKb6/probability/1%2E0,RemotePageMetadataDesktopExpansion.Enabled_20240514:supported_countries/%2A/supported_locales/%2A,RenderBlockingFullFrameRate.Enabled:throttle-frame-rate-on-initialization/true,RenderDocumentWithNavigationQueueing.EnabledAllFramesWithQueueing:level/all-frames/queueing_level/full,RendererSideContentDecoding.Enabled:RendererSideContentDecodingForNavigation/true,RestrictSpellingAndGrammarHighlights.ContentsAndEnablementAndSelection:RestrictSpellingAndGrammarHighlightsChangedContents/true/RestrictSpellingAndGrammarHighlightsChangedEnablement/true/RestrictSpellingAndGrammarHighlightsChangedSelection/true,SafeBrowsingDailyPhishingReportsLimit.Enabled:kMaxReportsPerIntervalESB/10,SafeBrowsingExtensionTelemetrySearchHijackingSignal.Enabled:HeuristicCheckIntervalSeconds/28800/HeuristicThreshold/2,SafetyHubDisruptiveNotificationRevocationDesktop.Enabled_Conservative_14d:experiment_version/2/max_engagement_score/0%2E0/min_engagement_score_delta/3%2E0/min_notification_count/6/shadow_run/false/waiting_for_metrics_days/1/waiting_time_as_proposed/14d,SafetyHubIncreasePasswordCheckFrequency.Enabled:background-password-check-interval/10d,SafetyHubOneOffHats.SafetyHub_NoNotification:probability/0%2E0155/safety-hub-ab-control-trigger-id/XxxasK3Zu0ugnJ3q1cK0Yv2LaPos/survey/safety-hub-control,SearchEnginePreconnectInterval.EnabledWith50_20250114:preconnect_interval/50,SearchPrefetchHighPriorityPrefetches.EnabledHighPriorityBothTriggers_20230721:mouse_down/true/navigation_prefetch_param/op/up_or_down/true,SecurityPageHats.Enabled:probability/1/security-page-time/15s/security-page-trigger-id/c4dvJ3Sz70ugnJ3q1cK0SkwJZodD,ServiceWorkerAutoPreload.Enabled:enable_only_when_service_worker_not_running/true/enable_subresource_preload/false/has_web_request_api_proxy/true/respect_navigation_preload/true,ServiceWorkerBackgroundUpdate.PreflightForDSE:AvoidUnnecessaryBeforeUnloadCheckSyncMode/WithSendBeforeUnload,SessionRestoreInfobar.Enabled_ContinueDefault:continue_session/true,SettingSearchExplorationHaTS.Enabled:en_site_id/JcjxgSDnh0ugnJ3q1cK0UVkwDj1o/probability/1%2E0/settings-time/10s/survey/settings,SharedHighlightingIphDesktop.Enabled:availability/any/event_1/name%3Aiph_desktop_shared_highlighting_trigger%3Bcomparator%3A%3D%3D0%3Bwindow%3A7%3Bstorage%3A360/event_trigger/name%3Aiph_desktop_shared_highlighting_trigger%3Bcomparator%3A%3C5%3Bwindow%3A360%3Bstorage%3A360/event_used/name%3Aiph_desktop_shared_highlighting_used%3Bcomparator%3A%3C2%3Bwindow%3A360%3Bstorage%3A360/session_rate/any,SidePanelCompanionDesktopM116Plus.EnableCompanionChromeOS_20240222:open-companion-for-image-search/false/open-companion-for-web-search/false/open-contextual-lens-panel/false/open-links-in-current-tab/false,SideSearchInProductHelp.Enabled:availability/any/event_trigger/name%3Aside_search_iph_tgr%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/event_used/name%3Aside_search_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/session_rate/%3C3,SkiaGraphite.Enabled:dawn_backend_validation/false/dawn_skip_validation/true,SkiaGraphiteSmallPathAtlas.Enabled:min_path_size_for_msaa/32,SkipIPCChannelPausingForNonGuestsStudy.Enabled_20251030:internal_webui_only/false,SkipPagehideInCommitForDSENavigation.Enabled:delay/100ms,SlopBucket.Enabled:chunk_size/524288/enabled_for_cache_response/true/max_chunks_per_request/8/max_chunks_total/32/memory_pressure_disable_level/MODERATE/min_buffer_size/32768/require_priority/MEDIUM,SpeculativeServiceWorkerWarmUp.Enabled_05m_05c_20250214:sw_warm_up_duration/5m/sw_warm_up_max_count/5/sw_warm_up_on_idle_timeout/false/sw_warm_up_request_queue_length/100,SubframeProcessShutdownDelay.EnabledDelay10s:delay_seconds/10,SuppressesNetworkActivitiesOnSlowNetwork.SuppressesAll:slow_network_threshold/208ms/slow_network_threshold_for_prerendering/208ms/slow_network_threshold_for_search_prefetch/208ms,SyncBookmarksLimit.Limit250k:sync-bookmarks-limit-value/250000,SyncIncreaseNudgeDelayForSingleClient.EnabledFactor2:SyncIncreaseNudgeDelayForSingleClientFactor/2%2E0,TabAudioMuting.Enabled:availability/any/event_trigger/name%3Atab_audio_muting_iph_triggered%3Bcomparator%3A%3D%3D0%3Bwindow%3A120%3Bstorage%3A365/event_used/name%3Atab_audio_muting_toggle_viewed%3Bcomparator%3A%3D%3D0%3Bwindow%3A120%3Bstorage%3A365/session_rate/%3D%3D0,TabSearchInProductHelp.TabSearchIPH:availability/any/event_trigger/name%3Atab_search_iph_tgr%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/event_used/name%3Atab_search_opened%3Bcomparator%3A%3D%3D0%3Bwindow%3A90%3Bstorage%3A360/session_rate/%3C3,TabstripComboButton.Enabled:tab_search_toolbar_button/true,TcpSocketPoolLimitRandomization.Enabled_256:TcpSocketPoolLimitRandomizationBase/0%2E000001/TcpSocketPoolLimitRandomizationCapacity/256/TcpSocketPoolLimitRandomizationMinimum/0%2E01/TcpSocketPoolLimitRandomizationNoise/0%2E2,TraceSiteInstanceGetProcessCreation.EnabledAndCrash:crash_on_creation/true,TrustSafetySentimentSurvey.Enabled:max-time-to-prompt/60m/min-time-to-prompt/2m/ntp-visits-max-range/4/ntp-visits-min-range/2/privacy-sandbox-3-consent-accept-probability/0%2E2/privacy-sandbox-3-consent-accept-trigger-id/5t9KNsR4e0ugnJ3q1cK0RPfRpsbm/privacy-sandbox-3-consent-decline-probability/0%2E2/privacy-sandbox-3-consent-decline-trigger-id/P5svv2BbH0ugnJ3q1cK0YhTWZkiM/privacy-sandbox-3-notice-dismiss-probability/0%2E2/privacy-sandbox-3-notice-dismiss-trigger-id/2gMg6iHpn0ugnJ3q1cK0XyL2C2EX/privacy-sandbox-3-notice-ok-probability/0%2E2/privacy-sandbox-3-notice-ok-trigger-id/vBraRD9GZ0ugnJ3q1cK0T1owvGGa/privacy-sandbox-3-notice-settings-probability/0%2E2/privacy-sandbox-3-notice-settings-trigger-id/WZpnNehvi0ugnJ3q1cK0Nsdcf1Vf/privacy-settings-probability/0%2E0/probability/1%2E0/transactions-probability/0%2E0/trusted-surface-probability/0%2E0,TrustSafetySentimentSurveyV2.Enabled_20240212:browsing-data-probability/0%2E0/browsing-data-trigger-id/1iSgej9Tq0ugnJ3q1cK0QwXZ12oo/control-group-probability/0%2E0/control-group-trigger-id/CXMbsBddw0ugnJ3q1cK0QJM1Hu8m/download-warning-ui-probability/0%2E0/download-warning-ui-trigger-id/7SS4sg4oR0ugnJ3q1cK0TNvCvd8U/max-time-to-prompt/60m/min-session-time/30s/min-time-to-prompt/2m/ntp-visits-max-range/4/ntp-visits-min-range/2/password-check-probability/0%2E0/password-check-trigger-id/Xd54YDVNJ0ugnJ3q1cK0UYBRruNH/password-protection-ui-probability/0%2E0/password-protection-ui-trigger-id/bQBRghu5w0ugnJ3q1cK0RrqdqVRP/privacy-guide-probability/0%2E0/privacy-guide-trigger-id/tqR1rjeDu0ugnJ3q1cK0P9yJEq7Z/probability/0%2E0/safe-browsing-interstitial-probability/0%2E0/safe-browsing-interstitial-trigger-id/Z9pSWP53n0ugnJ3q1cK0Y6YkGRpU/safety-check-probability/0%2E0/safety-check-trigger-id/YSDfPVMnX0ugnJ3q1cK0RxEhwkay/safety-hub-interaction-probability/0%2E0/safety-hub-interaction-trigger-id/TZq2S4frt0ugnJ3q1cK0Q5Yd4YJM/safety-hub-notification-probability/0%2E0/safety-hub-notification-trigger-id/kJV17f8Lv0ugnJ3q1cK0Nptk37ct/trusted-surface-probability/0%2E0/trusted-surface-time/5s/trusted-surface-trigger-id/CMniDmzgE0ugnJ3q1cK0U6PaEn1f,TrustTokenOriginTrial.Enabled:TrustTokenOperationsRequiringOriginTrial/all-operations-require-origin-trial,UMA-NonUniformity-Trial-1-Percent.group_01:delta/0%2E01,UMA-Pseudo-Metrics-Effect-Injection-25-Percent.BigEffect_01:multiplicative_factor/1%2E05,UkmSamplingRate.Sampled_NoSeed_Other:_default_sampling/1,UserBypassUI.Enabled:expiration/90d,V8CodeFlushing.Time180:bytecode_old_time/180,V8ExternalMemoryAccountedInGlobalLimit.Enabled:external_memory_max_growing_factor/1%2E3,V8IneffectiveMarkCompact.HighSizeThreshold:ineffective_gc_size_threshold/0%2E95,V8PreconfigureOldGen.Enabled:V8PreconfigureOldGenSize/16,VariationsStickyPersistence.PersistViaCommitWrite_20260107:persistence_type/commit,VerifyDidCommitParams.Enabled:gesture/true/http_status_code/true/intended_as_new_entry/true/is_overriding_user_agent/true/method/true/origin/true/post_id/true/should_replace_current_entry/true/should_update_history/true/url/true/url_is_unreachable/true,VisitedURLRankingService.VisitedURLRankingService:VisitedURLRankingFetchDurationInHoursParam/168,WebContentsDiscard.EnabledIgnoreWorkers:urgent_discard_ignore_workers/true,WebRTC-ZeroPlayoutDelay.min_pacing%3A0ms%2Cmax_decode_queue_size%3A8%2C:max_post_decode_queue_size/10/reduce_steady_state_queue_size_threshold/20,WhatsNewHats.Enabled_en_20241016:en_site_id/6bnVh68QF0ugnJ3q1cK0NQxjpCFS/probability/0%2E01,WhatsNewRefresh.Enabled:en_site_id/p5xavcMU50ugnJ3q1cK0R26c3Tsi,WhatsNewSparkEdition.Enabled_benefits:whats_new_customization/BENEFITS/whats_new_survey_id/PsSZ5E6nP0ugnJ3q1cK0WcE1Zf8H,ZPSPrefetchDebouncingDesktop.Enabled_300ms_FromLastRun:ZeroSuggestPrefetchDebounceDelay/300/ZeroSuggestPrefetchDebounceFromLastRun/true,ZeroStateSuggestionsV2.Enabled:ZSSMaxPinnedPagesForTriggeringSuggestions/10","force-fieldtrials":"AIMHintText/ThreePerDayFifteenTotal/ANGLEPerContextBlobCache/Enabled/AVFoundationCaptureForwardSampleTimestamps/Disabled/AXBlockFlowIterator/Enabled/AXRandomizedStressTests/Enabled/AXTreeFixing/Enabled/*AccessibilityPerformanceMeasurementExperiment/Control2025-07-08/AccessibilitySerializationSizeMetrics/Enabled/*AggressiveShaderCacheLimits/Enabled/AlignPdfDefaultPrintSettingsWithHTML/Enabled/AllowChangingSelectedContent/Enabled/AllowDatapipeDrainedAsBytesConsumerInBFCache/Enabled/AnimationForDesktopCapturePermissionChecker/Enabled/AnnotatedPageContentExtraction/Glic/AsyncQuicSession/Enabled/AsyncTouchMovesImmediatelyAfterScroll/Enabled/AudioDecoderAudioFileReader/Enabled/AudioInputConfirmReadsViaShmem/Enabled/AutoDisableAccessibility/Enabled/AutoSpeculationRules/Enabled_20231201/AutofillAddressSuggestionsOnTyping/Enabled_20251023/AutofillAddressUserPerceptionSurveyUS/Enabled/*AutofillAiM3PublicPasses/Enabled/AutofillAllowFillingModifiedInitialValues/Enabled/AutofillBetterLocalHeuristicPlaceholderSupport/Enabled/AutofillCreditCardUserPerceptionSurvey/Enabled/AutofillEnableBuyNowPayLaterDesktop/Enabled/AutofillEnableBuyNowPayLaterForExternallyLinked/Enabled/AutofillEnableBuyNowPayLaterForKlarna/Enabled/AutofillEnableBuyNowPayLaterUpdatedSuggestionSecondLineString/Enabled/AutofillEnableExpirationDateImprovements/Enabled/AutofillEnableFillingPhoneCountryCodesByAddressCountryCodes/Enabled/AutofillEnableFpanRiskBasedAuthentication/Enabled/AutofillEnableLabelPrecedenceForTurkishAddresses/Enabled/AutofillEnableSaveAndFill/Enabled/AutofillEnableSupportForHomeAndWork/Enabled/AutofillEnableSupportForNameAndEmail/Enabled/AutofillEnableSupportForParsingWithSharedLabels/Enabled/AutofillExtendZipCodeValidation/Enabled/AutofillFixCivilStateMisclassificationForESPT/Enabled/AutofillFixFormEquality/Enabled/AutofillFixRewriterRules/Enabled/AutofillFixStateCountryMisclassification/Enabled/AutofillI18nINAddressModel/Enabled/AutofillIgnoreCheckableElements/Enabled/AutofillImproveAddressFieldSwapping/Enabled/AutofillImproveSubmissionDetectionV3/Enabled_All/AutofillImprovedLabels/Enabled_WithDifferentiatingLabelsInFront/AutofillModelPredictions/Enabled/AutofillMoveSmallFormLogicToClient/Enabled/AutofillOptimizeCacheUpdates/Enabled/AutofillPageLanguageDetection/Enabled/AutofillPasswordUserPerceptionSurvey/Enabled/AutofillPaymentsFieldSwapping/Enabled/AutofillPopupDontAcceptNonVisibleEnoughSuggestion/Enabled/AutofillPreferBuyNowPayLaterBlocklists/Enabled/AutofillPrioritizeSaveCardOverMandatoryReauth/Enabled/AutofillReintroduceHybridPasskeyDropdownItem/Enabled/AutofillServerExperimentalSignatures/Enabled/AutofillSharedStorageServerCardData/Enabled/AutofillShowBubblesBasedOnPriorities/Enabled/AutofillStructuredFieldsDisableAddressLines/Enabled/AutofillSupportLastNamePrefix/Enabled/AutofillSupportPhoneticNameForJP/Enabled/AutofillSupportSplitZipCode/Enabled/AutofillSurveys/Card_20230606/AutofillUKMExperimentalFields/Enabled/AutofillUnmaskCardRequestTimeout/Enabled/AutofillUpstream/Enabled_20220124/AutofillVcnEnrollStrikeExpiryTime/Enabled/AutomatedPasswordChangeStudyModelUsage/Enabled/AutomatedPasswordChangeStudyV4/Enabled/AvoidDuplicateDelayBeginFrame/Enabled/AvoidEntryCreationForNoStore/Enabled/AvoidForcedLayoutOnInvisibleDocumentClose/Enabled/AvoidTrustedParamsCopies/Enabled/AvoidUnnecessaryForcedLayoutMeasurements/Enabled/BackForwardCacheNonStickyDoubleFix/Holdback/BackForwardCacheNotRestoredReasons/Enabled/BackForwardCacheWithSharedWorker/Enabled_20250708/BackNavigationMenuIPH/EnabledIPHWhenUserPerformsChainedBackNavigation_20230510/BackgroundResourceFetch/Enabled/BatterySaverModeAlignWakeUps/Enabled/*BeaconLeakageLogging/Enabled_v1/BlinkLifecycleScriptForbidden/Enabled/BookmarksImportOnFirstRun/Enabled/BookmarksTreeView/Enabled/BookmarksUseBinaryTreeInTitledUrlIndex/Enabled/*BoostClosingTabs/Enabled/BoundaryEventDispatchTracksNodeRemoval/Enabled/BrowserInitiatedAutomaticPictureInPicture/Enabled/BrowserSignalsReportingEnabled/Enabled/*BrowserThreadPoolAdjustmentForDesktop/thread_pool_default_20230920/BrowsingHistoryActorIntegrationM2/Enabled/BrowsingHistoryActorIntegrationM3/Enabled/BubbleMetricsApi/Enabled/CADisplayLinkInBrowser/Enabled/CSSReadingFlow/Enabled/CacheSharingForPervasiveScripts/Enabled_20250520/Canvas2DAutoFlushParams/Candidate/Canvas2DHibernationNoSmallCanvas/Enabled/Canvas2DReclaimUnusedResources/Enabled/CanvasHibernationExperiments/Enabled/CanvasTextNg/Enabled/CastStreamingHardwareHevc/Enabled/CastStreamingMediaVideoEncoder/Enabled/ChangeGeneratedCodeCacheSize/Enabled/ChromeCompose/Enabled/ChromeWallpaperSearchGlobal/WallpaperSearchGlobal/ChromeWallpaperSearchHaTS/Enabled/ChromeWallpaperSearchLaunch/DefaultOnLaunched/ChromeWebStoreNavigationThrottle/Enabled/*ChromeWideEchoCancellation/Enabled_20220412/ChromnientAimM3/Enabled/ChromnientEduActionChipV2/TestConfig/ChromnientEntrypointLabelAlt/Enabled/ChromnientNonBlockingPrivacyNotice/Enabled/ChromnientReinvocationAffordance/Enabled/ChromnientSidePanelOpenInNewTab/Enabled/ChromnientStraightToSrp/Enabled/ChromnientSurvey/Enabled/ChromnientTextSelectionContextMenuEntrypoint/Enabled_Contextualized/ChromnientUpdatedClientContext/Enabled_20250826/ChromnientUpdatedFeedbackEntrypoint/Enabled/ChromnientUpdatedVisuals/VisualUpdatesEnabled/ChromnientVideoCitations/Enabled/ChromnientZeroStateCsb/Enabled/ClearGrShaderDiskCacheOnInvalidPrefix/Enabled/ClientSideDetectionClipboardCopyApi/Enabled/ClientSideDetectionCreditCardForm/Enabled/ClientSideDetectionRetryLimit/Enabled/ClientSideDetectionSamplePing/Enabled/ClientSideDetectionSendLlamaForcedTriggerInfo/Enabled/ClientSideDetectionSkipErrorPage/Enabled/CloneDevToolsConnectionOnlyIfRequested/Enabled/CoalesceSelectionchangeEvent/Enabled/CommerceLocalPDPDetection/Enabled/Compare/Enabled_Dogfood/CompensateGestureDetectorTimeouts/Enabled/ComposeAXSnapshot/Enabled/ComposeAcceptanceSurvey/Enabled/ComposeCloseSurvey/Enabled/ComposeModelQualityLogging/ComposeLoggingEnabled_Dogfood/ComposeOnDeviceModel/Enabled/ComposeProactiveNudgePosition/Enabled_CursorNudgeModel/CompositeClipPathAnimation/Enabled/CompressionDictionaryPreload/EnabledPreloadConditionalUse/CompressionDictionaryTTL/Enable/CompressionDictionaryTransportRequireKnownRootCert/Disable/ConditionalImageResize/Enabled/ConfigurableV8CodeCacheHotHours/cache_72h_20230904/ConnectionKeepAliveForHttp2/EnabledWithBindReceiversEverytime_20251111_CanaryDev/ContentVerifierCacheIncludesExtensionRoot/Enabled/ContentVerifyJobUseJobVersionForHashing/Enabled/ContextualSearchBox/Enabled_AutoFocus_ApcOnly_UiUpdates_20250613/ContextualSuggestionsAnimationImprovements/LoadingSuggestionsAnimationEnabled/ContextualTasksContext/Enabled/ContextualTasksDesktop/Enabled/CookieDeprecationFacilitatedTestingCookieDeprecation/Treatment_PreStable_20231002/CookieSameSiteConsidersRedirectChainDesktop/Enabled/CreateURLLoaderPipeAsync/Enabled/CustomizableSelect/Enabled/CustomizeChromeSidePanelExtensionsCard/Enabled/DBSCMacUKSInBrowserProcess/Enabled_20251217/DSEPreconnect2/EnabledWithbase_60_30_30_30__20250507/DTCKeyRotationUploadedBySharedAPIEnabled/Enabled/DecommitPooledPages/Enabled/*DefaultBrowserFramework/Enabled/DefaultSiteInstanceGroups/Enabled/DeferSpeculativeRFHCreation/EnabledWithPrewarmAndDelay/DelayRfhDestructionsOnUnloadAndDetach/Enabled/DeprecateUnload/Enabled_135/DesktopCapturePermissionCheckerPreMacos14_4/Enabled/DesktopMediaPickerCheckAudioPermissions/Enabled/DesktopNtpDriveCache/Cache_1m/DesktopNtpImageErrorDetection/ImageErrorDetection/DesktopNtpMiddleSlotPromoDismissal/MiddleSlotPromoDismissal/DesktopNtpMobilePromo/Enabled_20241101/DesktopNtpModules/RecipeTasksRuleBasedDiscountDriveManagedUsersCartOptimizeRecipeTasksSAPIV2Fre_Enabled/DesktopNtpModulesTabGroups/Control_20251027/DesktopNtpOneGoogleBarAsyncBarParts/Enabled/DesktopNtpSimplification/Enabled_Dev_Canary_Beta/DesktopNtpTabResumption/TabResumption_Random/DesktopOmniboxCalculatorProvider/Enabled/DesktopOmniboxRichAutocompletionMinChar/Enabled_1_v1/DesktopOmniboxShortcutBoost/Enabled/DesktopOmniboxStarterPackExpansion/Enabled/DesktopPWAInstallPromotionML/Disabled/DesktopPWAsPredictableAppUpdating/Enabled/DevToolsConsoleInsightsTeasers/Enabled/DisablePartialStorageCleanupForGPUDiskCache/Enabled/DisableUrgentPageDiscarding/Disabled/DiscardInputEventsToRecentlyMovedFrames/DoNotDiscard/DiscountAutoPopup/Enabled/DiskCacheBackendExperiment/Sql/DlpRegionalizedEndpoints/Enabled/DnsHttpsSvcbTimeout/Enabled/DnsOverHttpsQuad9Secure/Enabled/DoNotEvictOnAXLocationChange/Enabled/DownloadWarningSurvey/DownloadBubbleBypass_20240513/*DwaFeature/Enabled/*DynamicProfileCountry/Enabled/EnableAsyncUploadAfterVerdict/Enabled/*EnableBestEffortTaskInhibitingPolicy/Enabled/EnableDiscountOnShoppyPagesDesktop/Enabled/EnableDrDc/Enableds/EnableForceDownloadToCloud/Enabled/*EnableHangWatcher/Enabled/EnableHangWatcherOnGpuProcess/Enabled/EnableLazyLoadImageForInvisiblePage/Enabled_AllInvisiblePage/EnableManagementPromotionBanner/Enabled/EnableNewUploadSizeLimit/Enabled_200MB/EnablePDPMetricsUSDesktopIOS/Enabled/EnablePolicyPromotionBanner/Enabled/EnablePrintWatermark/Disabled/EnableShouldShowPromotion/Enabled/EnableSinglePageAppDataProtection/Enabled/*EnableTLS13EarlyData/Enabled/EnableWatermarkCustomization/Enabled/EnableWatermarkTestPage/Enabled/EnhancedFieldsForSecOps/Enabled/EnterpriseActiveUserDetection/Enabled/EnterpriseBadgingForNtpFooter/Enabled/EnterpriseFileObfuscation/Enabled/EnterpriseFileObfuscationArchiveAnalyzer/Enabled/EnterpriseFileSystemAccessDeepScan/Enabled/EnterpriseIframeDlpRulesSupport/Enabled/EventTimingIgnorePresentationTimeFromUnexpectedFrameSource/Enabled/ExtensionManifestV2Deprecation/Enabled_MV2ExtensionsUnsupported/ExtensionsToolbarAndMenuRedesign/Enabled/ExtensionsZeroStatePromo/Chips_v1/*ExtremeLightweightUAFDetector/Quarantine_900_100_512_v6/FLEDGEBiddingAndAuctionServer/Enabled/FedCmSegmentationPlatform/SegmentationPlatform/FencedFramesEnableCredentialsForAutomaticBeacons/Enabled/FencedFramesEnableReportEventHeaderChanges/Enabled/FencedFramesEnableSrcPermissionsPolicy/Enabled/FenderAutoPreconnectLcpOrigins/EnabledWithOne_20240214/FetchLaterAPI/Enabled_20240112/FieldRankServerClassification/FieldRankServerClassification_Experiment_20250422/FlushPersistentSystemProfileOnWrite/Enabled/FrameRoutingCache/Enabled/GCMUseDedicatedNetworkThread/Enabled/Glic1PTools/Enabled/GlicActOnWebCapabilityForManagedTrials/Enabled_Dogfood/GlicActorRolloutControl/Enabled_Dogfood/GlicActorUiTabIndicatorSpinnerIgnoreReducedMotion/Enabled/GlicButtonAltLabel/LabelA/GlicClientResponsivenessCheckExtension/Enabled/GlicClosedCaptioning/Enabled/*GlicDogfood/Enabled/GlicEnableMultiInstanceBasedOnTier/Enabled/GlicEntrypointVariations/Control_MultiArm/GlicForceNonSkSLBorder/Enabled/GlicForceSimplifiedBorder/Enabled/GlicFreWarming/Enabled/GlicGA/Enabled/GlicGeminiInstructions/Enabled/GlicHandoffButtonHiddenClientControl/Enabled/GlicMediaData/Enabled/GlicPersonalContext/Enabled/GlicResetPanelSizeAndLocationOnOpen/Enabled/GlicShareImage/Enabled_20251023/GlicTieredRollout/Enabled/GlicUserStatusCheckDogfood/Enabled/GlicWarming/Enabled/GlicZeroStateSuggestionsDogfood/Enabled/GoogleLensDesktopImageFormatOptimizations/WebpQualityBackendV6/GpuYieldRasterization/Enabled/GrCacheLimits/cache_96_256_8_default_20230911/GroupedHistoryAllLocales/Enabled/HTTP2/Enabled6/HandleNonDamagingInputsInScrollJankV4Metric/Experiment_NewBehaviorCountAllFrames/HangoutsExtensionV3/Enabled/HappinessTrackingSurveysForHistoryEmbeddings/Enabled/*HappyEyeballsV3/EnabledFirstJob/*HeapProfilerBloomFilter/DisabledControl_20251203/HideDelegatedFrameHostMac/Enabled/HistoryEmbeddingsV2Images/Enabled/HistoryQueryOnlyLocalFirst/Enabled/HttpCacheInitializeDiskCacheBackendEarly/Enabled/*HttpCacheNoVarySearch/Enabled_NVS_HttpCache_And_Omnibox_Prefetch/HttpDiskCachePrewarming/WithReadAndDiscardBody_20240328/HttpsFirstBalancedModeAutoEnable/Enabled/HttpsFirstModeV2ForTypicallySecureUsers/Enabled/IdbSqliteBackingStoreInMemoryContexts/Enabled/IgnoreDiscardAttemptMarker/Enabled/IgnoreDuplicateNavs/Enabled_threshold_3s/IgnoreDuplicateNavsOnlyWithUserGesture/Enabled/ImageDescriptionsAlternateRouting/Enabled/ImmersiveReadAnything/Enabled/IncreaseHttp3Usage/EnabledWithAll_20251024/IncreasedCmdBufferParseSlice/Enabled/InfoBarPrioritizationAndUIRefresh/Enabled/InhibitSQLPreload/InhibitSQLPreload/*InhibitSQLReleaseCacheMemoryIfNeeded/InhibitSQLReleaseCacheMemoryIfNeeded/InlineFullscreenPerfExperiment/Enabled/IsolatesPriorityUseProcessPriority/Enabled/*JobPriorityBoosting/Enabled/*KeepDefaultSearchEngineAlive/EnabledDSEKeepAlive/KeyboardLockPrompt/Enabled_PEPC/LCPPDeferUnusedPreload/EnableWithPostTask_20240426/LCPPFontURLPredictor/Enabled/LCPPImageLoadingPriority/MediumPriority_20240418/LCPPLazyLoadImagePreload/EnableWithNativeLazyLoading_20231113/LCPPPrefetchSubresource/Enabled/LCPTimingPredictorPrerender2/Enabled/LazyBlinkTimezoneInit/Enabled/LazyUpdateTranslateModel/Enabled/LegacyKeyRepeatSynthesis/Disabled/LevelDBCacheSize/Enabled/LinkPreview/EnabledAltClick/LiveCaptionExperimentalLanguages/Enabled/LoadAllTabsAtStartup/Enabled/LoadingPredictorLimitPreconnectSocketCount/Enabled/LocalNetworkAccessChecks/EnabledBlocking/LocalNetworkAccessChecksWebSockets/Enabled/LocalNetworkAccessChecksWebTransport/Enabled/LogOnDeviceMetricsOnStartup/Enabled/LongAnimationFrameSourceCharPosition/Enabled/MHTML_Improvements/Enabled/MacAccessibilityAPIMigration/Enabled/MacICloudKeychainRecoveryFactor/Enabled/MainIdleBypassSchedulerExperiment/Enabled/*MainNodeAnnotationsRollout/Enabled/ManagedProfileRequiredInterstitial/Enabled/MediaDeviceIdStoragePartitioning/Enabled/MemoryConsumerForNGShapeCache/Enabled/MemoryCoordinatorLastResortGC/Enabled/*MetricsLogTrimming/Enabled/MetricsRenderFrameObserverImprovement/Enabled/MigrateDefaultChromeAppToWebAppsGSuite/Enabled_20210111/MigrateDefaultChromeAppToWebAppsNonGSuite/Enabled_20210111/MobilePromoOnDesktopWithQRCode/Enabled/MobilePromoOnDesktopWithReminder/Enabled/MojoChannelAssociatedSendUsesRunOrPostTask/Enabled/MultipleSpareRPHs/Enabled2/NavigationThrottleRegistryAttributeCache/Enabled/NetworkQualityEstimatorAsync/Experiment/NetworkQualityEstimatorParameterTuning/Experiment/NetworkServicePerPriorityTaskQueues/Enabled/NetworkServiceTaskScheduler2/Enabled/NewContentForCheckerboardedScrollsPerFrame/Enabled/NoPasswordSuggestionFiltering/Enabled/NoThrottlingVisibleAgent/Enabled/NonStandardAppearanceValueSliderVertical/Disabled/NotificationTelemetrySwb/Enabled/NtpBrowserPromos/Enabled/NtpComposeboxDesktop/Enabled/NtpCustomizeChromeAutoOpen/Control/NtpMicrosoftFilesCard/Enabled_NonInsights/NtpRealboxNextDesktop/Enabled/OcclusionCullingQuadSplitLimit/quad_split_limit_8/OfferPinToTaskbarInfoBar/Enabled/OffloadAcceptCHFrameCheck/Enabled/OidcAuthProfileManagement/Enabled/OmitBlurEventOnElementRemoval/Enabled/OmniboxBundledExperimentV1/DesktopExperiments/OmniboxLogURLScoringSignals/Enabled/OmniboxOnDeviceBrainModel/Enabled/OmniboxOnDeviceHeadModelSelectionFix/Fix/OmniboxStarterPackIPH/Enabled/OnBeginFrameThrottleVideoDesktop/Enabled/OptGuideBatchSRPTuning/Enabled_20240624/OptGuideURLCacheSize/Enabled_20240625/OptimizationGuideOnDeviceModelCpuBackend/Enabled/OriginMatcherNewCopyAssignment/Enabled/OutOfProcessPrintDriversPrint/Enabled_20230912/OverscrollBehaviorRespectedOnAllScrollContainers/Enabled/PageActionsMigration/Enabled/PageInfoAboutThisSite40Langs/Enabled_231129/PaintHoldingOOPIF/Enabled/ParkableStringsLessAggressiveAndZstd/Enabled/*PartialPageZeroing/EnabledPAAndV8_20241106/*PartitionAllocBackupRefPtr/Enabled/*PartitionAllocFreeWithSize/enabled_with_strict_check_20251212/*PartitionAllocMemoryReclaimer/Interval_8sec/PartitionAllocShortMemoryReclaim/Enabled/*PartitionAllocUnretainedDanglingPtr/Enabled/*PartitionAllocWithAdvancedChecks/enabled_512K_20250912/PartitionNetworkStateByNetworkAnonymizationKey/EnableFeatureForTests/*PassHistogramSharedMemoryOnLaunch/Enabled/PassageEmbeddingsPerformance/Disabled/*PasskeyUnlockManager/Enabled/Path2DPaintCache/Enabled/PdfGetSaveDataInBlocks/Enabled/PdfInfoBar/EnabledStartup/*PdfInkSignaturesTextHighlighter/enabled/*PdfSaveToDrive/Enabled/PdfSaveToDriveSurvey/Enabled/PdfUseShowSaveFilePicker/Enabled/PdfUseSkiaRenderer/Enabled/*PerfCombined2025/EnabledConservative_20251114/PerformanceControlsHatsStudy/EnabledHighEfficiencyOptOut_20230223/PermissionElementPromptPositioning/NearElement/PermissionPromiseLifetimeModulation/Enabled/PermissionSiteSettingsRadioButton/Enabled/PermissionsAIP92/Enabled/PermissionsAIv3/Enabled/PermissionsAIv4/Enabled/PlusAddressAcceptedFirstTimeCreateSurvey/Enabled/PlusAddressDeclinedFirstTimeCreateSurvey/Enabled/PlusAddressFilledPlusAddressViaManualFallbackSurvey/Enabled/PlusAddressUserCreatedMultiplePlusAddressesSurvey/Enabled/PlusAddressUserCreatedPlusAddressViaManualFallbackSurvey/Enabled/PlusAddressUserDidChooseEmailOverPlusAddressSurvey/Enabled/PlusAddressUserDidChoosePlusAddressOverEmailSurvey/Enabled/PlusAddressesExperiment/Enabled/PlzDedicatedWorker/Enabled/PolicyBlocklistProceedUntilResponse/Holdback/PowerBookmarkBackend/Enabled/*PreconnectFromKeyedService/EnabledWithOTRtrue_20250724_Stable/PreconnectToSearchDesktop/EnabledWithStartupDelayForegroundOnly/PrefetchBookmarkBarTrigger/Enabled/PrefetchNewTabPageTrigger/Enabled/PrefetchProxyDesktop/Enabled/PrefetchServiceWorkerNoFetchHandlerFix/Enabled/PrefixCookieHttp/Enabled/PreloadTopChromeWebUILessNavigations/Enabled/Prerender2EarlyDocumentLifecycleUpdateV2/Enabled/Prerender2FallbackPrefetchSpecRules/Enabled_NoTimeout_Burst/Prerender2WarmUpCompositorForBookmarkBar/Enabled/Prerender2WarmUpCompositorForNewTabPage/Enabled/Prerender2WarmUpCompositorForSpeculationRules/Enabled/PreserveDiscardableImageMapQuality/Enabled/PriceInsightsDesktopExpansionStudy/Enabled_20250617_EN/PriceTrackingDesktopExpansionStudy/Enabled/PriceTrackingPageActionIconLabelFeatureIPH/Enabled/*PrivacySandboxAdsAPIs/Enabled_Notice_M1_AllAPIs_Expanded_NoOT_Stable/PrivacySandboxInternalsDevUI/Enabled_Dogfood/PrivacySandboxSentimentSurvey/Enabled/PrivateAggregationApiErrorReporting/Enabled/PrivateStateTokens/Enabled/ProcessHtmlDataImmediately/AllChunks/ProcessIsolationForFencedFrames/Enabled/ProfileCreationDeclineSigninCTAExperiment/Control/ProfileExperimentsM0/Control/ProfileExperimentsM1FrictionReduction/Control/ProfileExperimentsM1UsabilityHypothesis/Control/ProfileRemoteCommands/Enabled/ProfileSignalsReportingEnabled/Enabled/ProfilesReordering/Enabled/ProgressiveAccessibility2/Enabled/ProtoBasedEnterpriseReporting/Enabled/PruneOldTransferCacheEntries/Enabled/PsDualWritePrefsToNoticeStorage/Enabled/PushMessagingDisallowSenderIDs/Enabled/PushMessagingGcmEndpointEnvironment/Enabled_Dogfood/PushMessagingGcmEndpointWebpushPath/Enabled_Dogfood/QUIC/EnabledNoId/QuicLongerIdleConnectionTimeout/Enabled/ReadAnythingIPHRollout/Enabled/ReadAnythingLineFocusExperiment/Enabled/ReadAnythingMenuShuffleExperiment/EnabledWithSeparation/*ReadAnythingReadAloudPhraseHighlighting/Enabled/ReadAnythingReadAloudTsTextSegmentation/Enabled/RedWarningSurvey/RedInterstitial_20241212/ReduceAcceptLanguage/Enabled/ReduceAcceptLanguageHTTP/Enabled/*ReduceIPAddressChangeNotification/Enabled/ReduceIPCCombined/EnabledUkmReduceAddEntryIPC/RemotePageMetadataDesktopExpansion/Enabled_20240514/RemoveDataUrlInSvgUse/Enabled/RemoveGraphicsUKMs/Disabled/RemoveRendererProcessLimit/Enabled/RenderBlockingFullFrameRate/Enabled/RenderDocumentWithNavigationQueueing/EnabledAllFramesWithQueueing/RendererSideContentDecoding/Enabled/RequestMainFrameAfterFirstVideoFrame/Enabled/ResolutionBasedDecoderPriority/Enabled/RestrictPendingInputEventTypeToBlockMainThread/Enabled/RestrictSpellingAndGrammarHighlights/ContentsAndEnablementAndSelection/ResumeNavigationWithSpeculativeRFHProcessGone/Enabled/RetryGetVideoCaptureDeviceInfos/Enabled/RollBackModeB/Enabled/SafeBrowsingDailyPhishingReportsLimit/Enabled/SafeBrowsingExtensionTelemetrySearchHijackingSignal/Enabled/SafeBrowsingExternalAppRedirectTelemetry/Enabled/SafetyCheckUnusedSitePermissions/Enabled/SafetyHubDisruptiveNotificationRevocationDesktop/Enabled_Conservative_14d/SafetyHubIncreasePasswordCheckFrequency/Enabled/SafetyHubOneOffHats/SafetyHub_NoNotification/SafetyHubUnusedPermissionRevocationForAllSurfaces/Enabled/SavedTabGroupUrlRestriction/Enabled/ScreenCaptureKitMacScreen/Enabled/SeamlessRenderFrameSwap/Enabled/SearchEngineChoiceClearInvalidPref/Enabled/SearchEnginePreconnectInterval/EnabledWith50_20250114/*SearchPrefetchHighPriorityPrefetches/EnabledHighPriorityBothTriggers_20230721/SecurePaymentConfirmationUxRefresh/Enabled/SecurityPageHats/Enabled/SendEmptyGestureScrollUpdate/Enabled/ServiceWorkerAutoPreload/Enabled/ServiceWorkerBackgroundUpdate/PreflightForDSE/ServiceWorkerStaticRouterRaceNetworkRequestPerformanceImprovement/Enabled/ServiceWorkerSubresourceCancelPendingCallbacksBeforeFetchRestart/Enabled/ServiceWorkerSyntheticResponse/Enabled/SessionRestoreInfobar/Enabled_ContinueDefault/SettingSearchExplorationHaTS/Enabled/SharedHighlightingIphDesktop/Enabled/SharedTabGroups/JoinOnlyEnabled/SharedWorkerBlobURLFix/Enabled/SharingDisableVapid/Enabled/SharingHubDesktopScreenshots/Enabled/ShoppingAlternateServer/Enabled/SidePanelCompanionDesktopM116Plus/EnableCompanionChromeOS_20240222/SidePanelPinningWithResponsiveToolbar/EnabledWithSidePanelPinning/SideSearchInProductHelp/Enabled/SigninPromoLimitsExperiment/Control/*SimdutfBase64Encode/Enabled/SimpleCachePrioritizedCaching/Enabled/SingleVideoFrameRateThrottling/Enabled/SiteInstanceGroupsForDataUrls/Enabled/*SkiaGraphite/Enabled/SkiaGraphiteSmallPathAtlas/Enabled/SkipIPCChannelPausingForNonGuestsStudy/Enabled_20251030/*SkipModerateMemoryPressureLevelMac/Enabled/SkipPagehideInCommitForDSENavigation/Enabled/SlopBucket/Enabled/SoftNavigationDetectionAdvancedPaintAttribution/Enabled/SoftNavigationDetectionPrePaintBasedAttribution/Enabled/SonomaAccessibilityActivationRefinements/Enabled/SpdyHeadersToHttpResponseUseBuilder/Enabled/SpeculativeFixForServiceWorkerDataInDidStartServiceWorkerContext/Enabled/SpeculativeImageDecodes/Enabled/SpeculativeServiceWorkerWarmUp/Enabled_05m_05c_20250214/SplitCacheByNetworkIsolationKey/EnableFeatureForTests/SqlScopedTransactionWebDatabase/Enabled/StandardizedBrowserZoom/Enabled/StandardizedTimerClamping/Enabled/StaticStorageQuota/Enabled/StickyActivationTest/Enabled/StorageBuckets/Enabled/StreamlineRendererInit/Enabled/StringWidthCache/Enabled/SubframeProcessShutdownDelay/EnabledDelay10s/SubresourceFilterPrewarm/Enabled/SupportOpeningDraggedLinksInSameTab/Enabled/SuppressesNetworkActivitiesOnSlowNetwork/SuppressesAll/SymphoniaAudioDecoding/Enabled/SyncBookmarksLimit/Limit250k/SyncDetermineAccountManagedStatus/Enabled/SyncIncreaseNudgeDelayForSingleClient/EnabledFactor2/SystemSignalCollectionImprovementEnabled/Enabled/TLSTrustAnchorIDs/Enabled/TabAudioMuting/Enabled/*TabGroupInteractionsDesktop/Enabled/TabGroupsCollapseFreezing/Disabled/TabHoverCardImagesMacArm/Enabled/TabSearchInProductHelp/TabSearchIPH/*TabstripComboButton/Enabled/TabstripDeclutter/Enabled/TailoredSecurityIntegration/TailoredSecurityIntegration/TaskManagerDesktopRefresh/TaskManagerDesktopRefresh/TcpSocketPoolLimitRandomization/Enabled_256/TextInputHostMojoCapabilityControlWorkaround/Enabled/TextSafetyScanLanguageDetection/Enabled/ThreeButtonPasswordSaveDialog/ThreeButtonPasswordSaveDialog/ThrottleMainFrameTo60HzMacV2/Enabled/ToolbarPinning/Enabled/TraceSiteInstanceGetProcessCreation/EnabledAndCrash/TranslateBubbleOpenSettings/TranslateBubbleOpenSettings/TreesInViz/Disabled/TrustSafetySentimentSurvey/Enabled/TrustSafetySentimentSurveyV2/Enabled_20240212/TrustTokenOriginTrial/Enabled/UIEnableSharedImageCacheForGpu/Enabled/UMA-NonUniformity-Trial-1-Percent/group_01/UMA-Pseudo-Metrics-Effect-Injection-25-Percent/BigEffect_01/UkmSamplingRate/Sampled_NoSeed_Other/UnifiedAutoplay/Enabled/UnlockDuringGpuImageOperations/Enabled/UnoPhase2Desktop/Enabled/UnoPhase2FollowUpDesktop/Enabled/UpdateIsMainFrameOriginRecentlyAccessedStudy/Enabled/*UseBoringSSLForRandBytes/Enabled/UseCecEnabledFlag/Enabled/UseLastVisitedFallbackURLFavicon/Enabled/UsePersistentCacheForCodeCache/Enabled/UsePrimaryAndTonalButtonsForPromos/Enabled/*UseSCContentSharingPicker/Enabled/UseSmartRefForGPUFenceHandle/Enabled/UseSnappyForParkableStrings/Enabled/UserBypassUI/Enabled/UserValueDefaultBrowserStrings/Enabled/V8CodeFlushing/Time180/V8DisableEagerAllocationFailures/Enabled/V8DisableScavengerUpdatesAllocationLimit/Enabled/V8ExternalMemoryAccountedInGlobalLimit/Enabled/V8IneffectiveMarkCompact/HighSizeThreshold/V8LargePagePool/Enabled/V8LateHeapLimitCheck/Enabled/V8ManagedZoneMemory/Enabled/V8MemoryPoolReleaseOnMallocFailures/Enabled/V8NewOldGenerationHeapSize/Enabled/V8ParserAblation/Disabled/V8PreconfigureOldGen/Enabled/V8SideStepTransitions/Enabled/V8SingleThreadedGCInBackgroundVariants/Enabled/V8SlowHistograms/Control/VSyncDecoding/Enabled/VariationsStickyPersistence/PersistViaCommitWrite_20260107/VerifyDidCommitParams/Enabled/VerifyQWACsRollout/Enabled/VisibilityAwareResourceScheduler/Enabled_20230807/VisitedLinksOn404/Enabled/VisitedURLRankingService/VisitedURLRankingService/WebAuthenticationNewRefreshFlow/Enabled/WebContentsDiscard/EnabledIgnoreWorkers/WebGPUEnableRangeAnalysisForRobustness/Enabled/WebProtectDlpScanPastedImages/Enabled/WebRTC-Aec3BufferingMaxAllowedExcessRenderBlocksOverride/1/WebRTC-Aec3DelayEstimateSmoothingDelayFoundOverride/0.1/WebRTC-Aec3TransparentModeHmm/Enabled/WebRTC-Agc2MaxSpeechLevelExperimental/Enabled/WebRTC-Agc2SpeechLevelEstimatorExperimental/Enabled/WebRTC-Audio-GainController2/Enabled,switch_to_agc2:true,target_range_min_dbfs:-50,target_range_max_dbfs:-30,max_gain_db:50,initial_gain_db:15,max_gain_change_db_per_second:6,headroom_db:5,enable_clipping_predictor:true,disallow_transient_suppressor_usage:true,_20230614/WebRTC-Audio-NetEqDecisionLogicConfig/enable_stable_playout_delay:true,reinit_after_expands:1000/WebRTC-Audio-OpusAvoidNoisePumpingDuringDtx/Enabled/WebRTC-BurstyPacer/burst:20ms,_V1/WebRTC-Bwe-LossBasedBweV2/Enabled:true,InstantUpperBoundBwBalance:100kbps,InherentLossUpperBoundBwBalance:100kbps,LossThresholdOfHighBandwidthPreference:0.2,UseByteLossRate:true,ObservationWindowSize:15,BwRampupUpperBoundFactor:1.5,BwRampupUpperBoundInHoldFactor:1.2,BwRampupUpperBoundHoldThreshold:1.3,BoundBestCandidate:true,UseInStartPhase:true,LowerBoundByAckedRateFactor:1.0,HoldDurationFactor:2.0,PaddingDuration:2000ms,PaceAtLossBasedEstimate:true/WebRTC-Bwe-ProbingConfiguration/network_state_probe_duration:200ms,network_state_interval:10s,min_probe_delta:20ms,est_lower_than_network_ratio:0.7,skip_if_est_larger_than_fraction_of_max:0.9,alr_scale:1.5,step_size:1.5/WebRTC-Bwe-ReceiverLimitCapsOnly/Enabled/WebRTC-Bwe-RobustThroughputEstimatorSettings/enabled:true,_V1/WebRTC-DataChannelMessageInterleaving/Enabled/WebRTC-EncoderSpeed/dynamic_speed:true,av1_camera:higher/WebRTC-IPv6NetworkResolutionFixes/Enabled,ResolveStunHostnameForFamily:true,PreferGlobalIPv6Address:true,DiversifyIpv6Interfaces:true,_20220929/WebRTC-JitterEstimatorConfig/num_stddev_delay_clamp:5,num_stddev_delay_outlier:2,num_stddev_size_outlier:2,estimate_noise_when_congested:false,_20230118_BETA/WebRTC-RFC8888CongestionControlFeedback/Enabled,_20251209/WebRTC-SendBufferSizeBytes/262144,_V1/WebRTC-SendPacketsOnWorkerThread/Enabled,_20221205/WebRTC-SlackedTaskQueuePacedSender/Enabled,max_queue_time:75ms,_V4/WebRTC-UseAbsCapTimeForG2gMetric/Enabled_20250408/WebRTC-VP8ConferenceTemporalLayers/2_V1/WebRTC-Video-AV1EvenPayloadSizes/Enabled/WebRTC-Video-EnableRetransmitAllLayers/Enabled,_20230607_BETA/WebRTC-Video-H26xPacketBuffer/Enabled/WebRTC-Video-ReceiveAndSendH265/Enabled_SendReceive/WebRTC-Vp9ExternalRefCtrl/Enabled/WebRTC-ZeroPlayoutDelay/min_pacing:0ms,max_decode_queue_size:8,/WebRTCColorAccuracy/Enabled/WebRtcAudioSinkUseTimestampAligner/Enabled/WebRtcPqcForDtls/Enabled/WebUIInProcessResourceLoading/Enabled_WithScriptStreaming/WebUIReloadButtonStudy/Control_20251030/WebrtcEncodeReadbackOptimization/Enabled_acc_scaling/WhatsNewHats/Enabled_en_20241016/WhatsNewRefresh/Enabled/WhatsNewSparkEdition/Enabled_benefits/WidevinePersistentLicenseSupport/Disabled_M140/XSLTSpecialTrial/Disabled/YourSavedInfoBrandingInSettings/Enable/YourSavedInfoSettingsPage/Enable/ZPSPrefetchDebouncingDesktop/Enabled_300ms_FromLastRun/ZeroCopyTabCaptureStudyMac/Enabled_20220901/ZeroStateSuggestionsV2/Enabled/ZstdForCrossSiteSpeculationRulesPrefetch/Enabled"}
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.729 a5a72f Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/MANIFEST-000001
2
- 2026/02/19-13:36:56.729 a5a72f Recovering log #3
3
- 2026/02/19-13:36:56.729 a5a72f Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/000003.log
1
+ 2026/02/19-16:16:17.473 a77b37 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/MANIFEST-000001
2
+ 2026/02/19-16:16:17.473 a77b37 Recovering log #3
3
+ 2026/02/19-16:16:17.473 a77b37 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.488 a5a6ba Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/MANIFEST-000001
2
- 2026/02/19-13:36:56.489 a5a6ba Recovering log #3
3
- 2026/02/19-13:36:56.489 a5a6ba Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/000003.log
1
+ 2026/02/19-16:16:17.219 a77a81 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/MANIFEST-000001
2
+ 2026/02/19-16:16:17.219 a77a81 Recovering log #3
3
+ 2026/02/19-16:16:17.219 a77a81 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Rules/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.730 a5a72f Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/MANIFEST-000001
2
- 2026/02/19-13:36:56.730 a5a72f Recovering log #3
3
- 2026/02/19-13:36:56.730 a5a72f Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/000003.log
1
+ 2026/02/19-16:16:17.473 a77b37 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/MANIFEST-000001
2
+ 2026/02/19-16:16:17.474 a77b37 Recovering log #3
3
+ 2026/02/19-16:16:17.474 a77b37 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.489 a5a6ba Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/MANIFEST-000001
2
- 2026/02/19-13:36:56.490 a5a6ba Recovering log #3
3
- 2026/02/19-13:36:56.490 a5a6ba Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/000003.log
1
+ 2026/02/19-16:16:17.220 a77a81 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/MANIFEST-000001
2
+ 2026/02/19-16:16:17.221 a77a81 Recovering log #3
3
+ 2026/02/19-16:16:17.221 a77a81 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Extension Scripts/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.718 a5a73c Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/MANIFEST-000001
2
- 2026/02/19-13:36:56.718 a5a73c Recovering log #3
3
- 2026/02/19-13:36:56.718 a5a73c Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/000003.log
1
+ 2026/02/19-16:16:17.463 a77b45 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/MANIFEST-000001
2
+ 2026/02/19-16:16:17.463 a77b45 Recovering log #3
3
+ 2026/02/19-16:16:17.463 a77b45 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.474 a5a6ce Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/MANIFEST-000001
2
- 2026/02/19-13:36:56.475 a5a6ce Recovering log #3
3
- 2026/02/19-13:36:56.475 a5a6ce Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/000003.log
1
+ 2026/02/19-16:16:17.189 a77a83 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/MANIFEST-000001
2
+ 2026/02/19-16:16:17.189 a77a83 Recovering log #3
3
+ 2026/02/19-16:16:17.189 a77a83 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Site Characteristics Database/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.715 a5a72f Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/MANIFEST-000001
2
- 2026/02/19-13:36:56.716 a5a72f Recovering log #3
3
- 2026/02/19-13:36:56.717 a5a72f Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/000003.log
1
+ 2026/02/19-16:16:17.460 a77b37 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/MANIFEST-000001
2
+ 2026/02/19-16:16:17.461 a77b37 Recovering log #3
3
+ 2026/02/19-16:16:17.461 a77b37 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/000003.log
@@ -1,3 +1,3 @@
1
- 2026/02/19-13:36:56.469 a5a6bc Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/MANIFEST-000001
2
- 2026/02/19-13:36:56.472 a5a6bc Recovering log #3
3
- 2026/02/19-13:36:56.473 a5a6bc Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/000003.log
1
+ 2026/02/19-16:16:17.167 a77a81 Reusing MANIFEST /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/MANIFEST-000001
2
+ 2026/02/19-16:16:17.168 a77a81 Recovering log #3
3
+ 2026/02/19-16:16:17.168 a77a81 Reusing old log /Users/richard/code/presidium/internal/tmp/chrome/Default/Sync Data/LevelDB/000003.log
@@ -1 +1 @@
1
- {"user_experience_metrics.stability.exited_cleanly":false,"variations_crash_streak":5}
1
+ {"user_experience_metrics.stability.exited_cleanly":false,"variations_crash_streak":9}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "presidium",
3
- "version": "3.0.2",
3
+ "version": "3.1.0",
4
4
  "description": "A library for creating web services",
5
5
  "author": "Richard Tong",
6
6
  "license": "MIT",
@@ -75,7 +75,7 @@
75
75
  "fast-crc32c": "^2.0.0",
76
76
  "mocha": "^10.8.2",
77
77
  "nyc": "^17.1.0",
78
- "thunk-test": "^1.3.1",
78
+ "thunk-test": "^1.3.9",
79
79
  "wavefile": "^11.0.0"
80
80
  }
81
81
  }
package/internal/tmp.js DELETED
@@ -1,38 +0,0 @@
1
- // Generate CRC32C lookup table (Castagnoli polynomial)
2
- const CRC32C_TABLE = (() => {
3
- const table = new Uint32Array(256)
4
- const poly = 0x1EDC6F41
5
- for (let i = 0; i < 256; i++) {
6
- let crc = i
7
- for (let j = 0; j < 8; j++) {
8
- crc = (crc & 1) ? (crc >>> 1) ^ poly : (crc >>> 1)
9
- }
10
- table[i] = crc >>> 0
11
- }
12
- return table
13
- })()
14
-
15
- /**
16
- * Calculate CRC32C checksum of a string or Uint8Array
17
- * @param {string | Uint8Array | Buffer} input
18
- * @returns {number} 32-bit unsigned integer checksum
19
- */
20
- function crc32c(input) {
21
- if (typeof input === 'string') {
22
- input = new TextEncoder().encode(input) // Convert string to Uint8Array
23
- }
24
-
25
- let crc = 0xFFFFFFFF
26
- for (let i = 0; i < input.length; i++) {
27
- const byte = input[i]
28
- const index = (crc ^ byte) & 0xFF
29
- crc = (crc >>> 8) ^ CRC32C_TABLE[index]
30
- }
31
-
32
- return (crc ^ 0xFFFFFFFF) >>> 0
33
- }
34
-
35
- module.exports = crc32c
36
-
37
- // Example usage:
38
- // console.log(crc32c('test').toString(16)) // → "e3069283"