summaryrefslogtreecommitdiffstats
path: root/build/win32
diff options
context:
space:
mode:
authorDaniel Baumann <daniel.baumann@progress-linux.org>2024-04-07 17:32:43 +0000
committerDaniel Baumann <daniel.baumann@progress-linux.org>2024-04-07 17:32:43 +0000
commit6bf0a5cb5034a7e684dcc3500e841785237ce2dd (patch)
treea68f146d7fa01f0134297619fbe7e33db084e0aa /build/win32
parentInitial commit. (diff)
downloadthunderbird-6bf0a5cb5034a7e684dcc3500e841785237ce2dd.tar.xz
thunderbird-6bf0a5cb5034a7e684dcc3500e841785237ce2dd.zip
Adding upstream version 1:115.7.0.upstream/1%115.7.0upstream
Signed-off-by: Daniel Baumann <daniel.baumann@progress-linux.org>
Diffstat (limited to 'build/win32')
-rw-r--r--build/win32/__init__.py0
-rw-r--r--build/win32/autowinchecksec.py85
-rw-r--r--build/win32/crashinject.cpp94
-rw-r--r--build/win32/crashinjectdll/crashinjectdll.cpp29
-rw-r--r--build/win32/crashinjectdll/crashinjectdll.def7
-rw-r--r--build/win32/crashinjectdll/moz.build16
-rw-r--r--build/win32/dummy_libs.py24
-rw-r--r--build/win32/moz.build46
-rw-r--r--build/win32/mozconfig.vs-latest3
-rw-r--r--build/win32/mozconfig.vs201911
-rw-r--r--build/win32/nsis-no-insert-timestamp.patch27
-rw-r--r--build/win32/nsis-no-underscore.patch34
-rw-r--r--build/win32/orderfile.txt17810
13 files changed, 18186 insertions, 0 deletions
diff --git a/build/win32/__init__.py b/build/win32/__init__.py
new file mode 100644
index 0000000000..e69de29bb2
--- /dev/null
+++ b/build/win32/__init__.py
diff --git a/build/win32/autowinchecksec.py b/build/win32/autowinchecksec.py
new file mode 100644
index 0000000000..5038dc56a6
--- /dev/null
+++ b/build/win32/autowinchecksec.py
@@ -0,0 +1,85 @@
+#!/usr/bin/env python
+
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+# run the Winchecksec tool (https://github.com/trailofbits/winchecksec)
+# against a given Windows binary.
+
+import json
+import subprocess
+import sys
+
+import buildconfig
+
+# usage
+if len(sys.argv) != 2:
+ print("""usage : autowinchecksec.by path_to_binary""")
+ sys.exit(0)
+
+binary_path = sys.argv[1]
+
+# execute winchecksec against the binary, using the WINCHECKSEC environment
+# variable as the path to winchecksec.exe
+try:
+ winchecksec_path = buildconfig.substs["WINCHECKSEC"]
+except KeyError:
+ print(
+ "TEST-UNEXPECTED-FAIL | autowinchecksec.py | WINCHECKSEC environment variable is "
+ "not set, can't check DEP/ASLR etc. status."
+ )
+ sys.exit(1)
+
+wine = buildconfig.substs.get("WINE")
+if wine and winchecksec_path.lower().endswith(".exe"):
+ cmd = [wine, winchecksec_path]
+else:
+ cmd = [winchecksec_path]
+
+try:
+ result = subprocess.check_output(cmd + ["-j", binary_path], universal_newlines=True)
+
+except subprocess.CalledProcessError as e:
+ print(
+ "TEST-UNEXPECTED-FAIL | autowinchecksec.py | Winchecksec returned error code %d:\n%s"
+ % (e.returncode, e.output)
+ )
+ sys.exit(1)
+
+
+result = json.loads(result)
+
+checks = [
+ "aslr",
+ "cfg",
+ "dynamicBase",
+ "gs",
+ "isolation",
+ "nx",
+ "seh",
+]
+
+if buildconfig.substs["CPU_ARCH"] == "x86":
+ checks += [
+ "safeSEH",
+ ]
+else:
+ checks += [
+ "highEntropyVA",
+ ]
+
+failed = [c for c in checks if result.get(c) is False]
+
+if failed:
+ print(
+ "TEST-UNEXPECTED-FAIL | autowinchecksec.py | Winchecksec reported %d error(s) for %s"
+ % (len(failed), binary_path)
+ )
+ print(
+ "TEST-UNEXPECTED-FAIL | autowinchecksec.py | The following check(s) failed: %s"
+ % (", ".join(failed))
+ )
+ sys.exit(1)
+else:
+ print("TEST-PASS | autowinchecksec.py | %s succeeded" % binary_path)
diff --git a/build/win32/crashinject.cpp b/build/win32/crashinject.cpp
new file mode 100644
index 0000000000..076e5a12a2
--- /dev/null
+++ b/build/win32/crashinject.cpp
@@ -0,0 +1,94 @@
+/* This Source Code Form is subject to the terms of the Mozilla Public
+ * License, v. 2.0. If a copy of the MPL was not distributed with this
+ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+
+/*
+ * Given a PID, this program attempts to inject a DLL into the process
+ * with that PID. The DLL it attempts to inject, "crashinjectdll.dll",
+ * must exist alongside this exe. The DLL will then crash the process.
+ */
+#include <stdio.h>
+#include <stdlib.h>
+#include <string.h>
+#include <windows.h>
+
+int main(int argc, char** argv) {
+ if (argc != 2) {
+ fprintf(stderr, "Usage: crashinject <PID>\n");
+ return 1;
+ }
+
+ int pid = atoi(argv[1]);
+ if (pid <= 0) {
+ fprintf(stderr, "Usage: crashinject <PID>\n");
+ return 1;
+ }
+
+ // find our DLL to inject
+ wchar_t filename[_MAX_PATH];
+ if (GetModuleFileNameW(nullptr, filename,
+ sizeof(filename) / sizeof(wchar_t)) == 0)
+ return 1;
+
+ wchar_t* slash = wcsrchr(filename, L'\\');
+ if (slash == nullptr) return 1;
+
+ slash++;
+ wcscpy(slash, L"crashinjectdll.dll");
+
+ // now find our target process
+ HANDLE targetProc =
+ OpenProcess(PROCESS_VM_OPERATION | PROCESS_VM_WRITE |
+ PROCESS_CREATE_THREAD | PROCESS_QUERY_INFORMATION,
+ FALSE, pid);
+ if (targetProc == nullptr) {
+ fprintf(stderr, "Error %lu opening target process\n", GetLastError());
+ return 1;
+ }
+
+ /*
+ * This is sort of insane, but we're implementing a technique described here:
+ * http://www.codeproject.com/KB/threads/winspy.aspx#section_2
+ *
+ * The gist is to use CreateRemoteThread to create a thread in the other
+ * process, but cheat and make the thread function kernel32!LoadLibrary,
+ * so that the only remote data we have to pass to the other process
+ * is the path to the library we want to load. The library we're loading
+ * will then do its dirty work inside the other process.
+ */
+ HMODULE hKernel32 = GetModuleHandleW(L"Kernel32");
+ // allocate some memory to hold the path in the remote process
+ void* pLibRemote = VirtualAllocEx(targetProc, nullptr, sizeof(filename),
+ MEM_COMMIT, PAGE_READWRITE);
+ if (pLibRemote == nullptr) {
+ fprintf(stderr, "Error %lu in VirtualAllocEx\n", GetLastError());
+ CloseHandle(targetProc);
+ return 1;
+ }
+
+ if (!WriteProcessMemory(targetProc, pLibRemote, (void*)filename,
+ sizeof(filename), nullptr)) {
+ fprintf(stderr, "Error %lu in WriteProcessMemory\n", GetLastError());
+ VirtualFreeEx(targetProc, pLibRemote, sizeof(filename), MEM_RELEASE);
+ CloseHandle(targetProc);
+ return 1;
+ }
+ // Now create a thread in the target process that will load our DLL
+ HANDLE hThread = CreateRemoteThread(
+ targetProc, nullptr, 0,
+ (LPTHREAD_START_ROUTINE)GetProcAddress(hKernel32, "LoadLibraryW"),
+ pLibRemote, 0, nullptr);
+ if (hThread == nullptr) {
+ fprintf(stderr, "Error %lu in CreateRemoteThread\n", GetLastError());
+ VirtualFreeEx(targetProc, pLibRemote, sizeof(filename), MEM_RELEASE);
+ CloseHandle(targetProc);
+ return 1;
+ }
+ WaitForSingleObject(hThread, INFINITE);
+ // Cleanup, not that it's going to matter at this point
+ CloseHandle(hThread);
+ VirtualFreeEx(targetProc, pLibRemote, sizeof(filename), MEM_RELEASE);
+ CloseHandle(targetProc);
+
+ return 0;
+}
diff --git a/build/win32/crashinjectdll/crashinjectdll.cpp b/build/win32/crashinjectdll/crashinjectdll.cpp
new file mode 100644
index 0000000000..7ee7e6812d
--- /dev/null
+++ b/build/win32/crashinjectdll/crashinjectdll.cpp
@@ -0,0 +1,29 @@
+/* This Source Code Form is subject to the terms of the Mozilla Public
+ * License, v. 2.0. If a copy of the MPL was not distributed with this
+ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
+
+#include <stdio.h>
+#include <windows.h>
+
+// make sure we only ever spawn one thread
+DWORD tid = -1;
+
+DWORD WINAPI CrashingThread(LPVOID lpParameter) {
+ // not a very friendly DLL
+ volatile int* x = (int*)0x0;
+ *x = 1;
+ return 0;
+}
+
+BOOL WINAPI DllMain(HANDLE hinstDLL, DWORD dwReason, LPVOID lpvReserved) {
+ if (tid == (DWORD)-1)
+ // we have to crash on another thread because LoadLibrary() will
+ // catch memory access errors and return failure to the calling process
+ CreateThread(nullptr, // default security attributes
+ 0, // use default stack size
+ CrashingThread, // thread function name
+ nullptr, // argument to thread function
+ 0, // use default creation flags
+ &tid); // returns the thread identifier
+ return TRUE;
+}
diff --git a/build/win32/crashinjectdll/crashinjectdll.def b/build/win32/crashinjectdll/crashinjectdll.def
new file mode 100644
index 0000000000..d1ea5602da
--- /dev/null
+++ b/build/win32/crashinjectdll/crashinjectdll.def
@@ -0,0 +1,7 @@
+;+# This Source Code Form is subject to the terms of the Mozilla Public
+;+# License, v. 2.0. If a copy of the MPL was not distributed with this
+;+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+LIBRARY crashinjectdll
+EXPORTS
+ DllMain
diff --git a/build/win32/crashinjectdll/moz.build b/build/win32/crashinjectdll/moz.build
new file mode 100644
index 0000000000..ff113f61e6
--- /dev/null
+++ b/build/win32/crashinjectdll/moz.build
@@ -0,0 +1,16 @@
+# -*- Mode: python; indent-tabs-mode: nil; tab-width: 40 -*-
+# vim: set filetype=python:
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+SOURCES += [
+ "crashinjectdll.cpp",
+]
+
+SharedLibrary("crashinjectdll")
+
+DEFFILE = "crashinjectdll.def"
+
+USE_STATIC_LIBS = True
+NO_PGO = True
diff --git a/build/win32/dummy_libs.py b/build/win32/dummy_libs.py
new file mode 100644
index 0000000000..16947c6c84
--- /dev/null
+++ b/build/win32/dummy_libs.py
@@ -0,0 +1,24 @@
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+import os
+import subprocess
+
+from buildconfig import substs
+
+
+def main(output, *other_libs):
+ output.close()
+ # ar doesn't like it when the file exists beforehand.
+ os.unlink(output.name)
+ libs = [output.name]
+ parent = os.path.dirname(output.name)
+ libs.extend(os.path.join(parent, l) for l in other_libs)
+ for lib in libs:
+ result = subprocess.run(
+ [substs["AR"]] + [f.replace("$@", lib) for f in substs["AR_FLAGS"]]
+ )
+ if result.returncode != 0:
+ return result.returncode
+ return 0
diff --git a/build/win32/moz.build b/build/win32/moz.build
new file mode 100644
index 0000000000..32defa1dc8
--- /dev/null
+++ b/build/win32/moz.build
@@ -0,0 +1,46 @@
+# -*- Mode: python; indent-tabs-mode: nil; tab-width: 40 -*-
+# vim: set filetype=python:
+# This Source Code Form is subject to the terms of the Mozilla Public
+# License, v. 2.0. If a copy of the MPL was not distributed with this
+# file, You can obtain one at http://mozilla.org/MPL/2.0/.
+
+TEST_DIRS += ["crashinjectdll"]
+
+if CONFIG["ENABLE_TESTS"]:
+ Program("crashinject")
+ SOURCES += [
+ "crashinject.cpp",
+ ]
+ USE_STATIC_LIBS = True
+
+NO_PGO = True
+
+# See comment about *-windows-gnu targets in config/makefiles/rust.mk
+if CONFIG["CC_TYPE"] == "clang":
+ GeneratedFile(
+ "libgcc.a",
+ "libgcc_eh.a",
+ "libpthread.a",
+ script="dummy_libs.py",
+ flags=["libgcc_eh.a", "libpthread.a"],
+ )
+
+
+if CONFIG["WIN32_REDIST_DIR"] and CONFIG["COMPILE_ENVIRONMENT"]:
+ for f in ["MSVC_C_RUNTIME_DLL", "MSVC_C_RUNTIME_1_DLL", "MSVC_CXX_RUNTIME_DLL"]:
+ if CONFIG[f]:
+ FINAL_TARGET_FILES += ["%%%s/%s" % (CONFIG["WIN32_REDIST_DIR"], CONFIG[f])]
+
+if CONFIG["WIN_UCRT_REDIST_DIR"] and CONFIG["COMPILE_ENVIRONMENT"]:
+ win7_ucrt_redists = [
+ "api-ms-win-core-file-l1-2-0.dll",
+ "api-ms-win-core-file-l2-1-0.dll",
+ "api-ms-win-core-localization-l1-2-0.dll",
+ "api-ms-win-core-processthreads-l1-1-1.dll",
+ "api-ms-win-core-synch-l1-2-0.dll",
+ "api-ms-win-core-timezone-l1-1-0.dll",
+ "api-ms-win-crt-*.dll",
+ "ucrtbase.dll",
+ ]
+ for f in win7_ucrt_redists:
+ FINAL_TARGET_FILES += ["%%%s/%s" % (CONFIG["WIN_UCRT_REDIST_DIR"], f)]
diff --git a/build/win32/mozconfig.vs-latest b/build/win32/mozconfig.vs-latest
new file mode 100644
index 0000000000..1d5b73148d
--- /dev/null
+++ b/build/win32/mozconfig.vs-latest
@@ -0,0 +1,3 @@
+. $topsrcdir/build/win32/mozconfig.vs2019
+. "$topsrcdir/build/mozconfig.clang-cl"
+. "$topsrcdir/build/mozconfig.lld-link"
diff --git a/build/win32/mozconfig.vs2019 b/build/win32/mozconfig.vs2019
new file mode 100644
index 0000000000..6e11de1935
--- /dev/null
+++ b/build/win32/mozconfig.vs2019
@@ -0,0 +1,11 @@
+if [ -z "${VSPATH}" ]; then
+ VSPATH="$(cd ${MOZ_FETCHES_DIR} && pwd)/vs"
+fi
+
+if [ -d "${VSPATH}" ]; then
+ export WIN32_REDIST_DIR="${VSPATH}/VC/Redist/MSVC/14.29.30133/x86/Microsoft.VC142.CRT"
+ export WIN_UCRT_REDIST_DIR="${VSPATH}/Windows Kits/10/Redist/10.0.19041.0/ucrt/DLLs/x86"
+ export WINSYSROOT="${VSPATH}"
+fi
+
+ac_add_options --target=i686-pc-windows-msvc
diff --git a/build/win32/nsis-no-insert-timestamp.patch b/build/win32/nsis-no-insert-timestamp.patch
new file mode 100644
index 0000000000..8053b820c6
--- /dev/null
+++ b/build/win32/nsis-no-insert-timestamp.patch
@@ -0,0 +1,27 @@
+diff -ur nsis-3.03-src/SCons/Config/gnu nsis-3.03-src.n/SCons/Config/gnu
+--- nsis-3.03-src/SCons/Config/gnu 2017-10-06 15:30:20.000000000 -0400
++++ nsis-3.03-src.n/SCons/Config/gnu 2018-06-17 13:26:05.945495151 -0400
+@@ -102,6 +102,7 @@
+ stub_env.Append(LINKFLAGS = ['$NODEFLIBS_FLAG']) # no standard libraries
+ stub_env.Append(LINKFLAGS = ['$ALIGN_FLAG']) # 512 bytes align
+ stub_env.Append(LINKFLAGS = ['$MAP_FLAG']) # generate map file
++stub_env.Append(LINKFLAGS = ['-Wl,--no-insert-timestamp']) # remove timestamps for reproducible builds
+
+ stub_uenv = stub_env.Clone()
+ stub_uenv.Append(CPPDEFINES = ['_UNICODE', 'UNICODE'])
+@@ -142,6 +143,7 @@
+ plugin_env.Append(LINKFLAGS = ['$MAP_FLAG']) # generate map file
+ plugin_env.Append(LINKFLAGS = ['-static-libgcc']) # remove libgcc*.dll dependency
+ plugin_env.Append(LINKFLAGS = ['-static-libstdc++']) # remove libstdc++*.dll dependency
++plugin_env.Append(LINKFLAGS = ['-Wl,--no-insert-timestamp']) # remove timestamps for reproducible builds
+
+ plugin_uenv = plugin_env.Clone()
+ plugin_uenv.Append(CPPDEFINES = ['_UNICODE', 'UNICODE'])
+@@ -181,6 +183,7 @@
+
+ util_env.Append(LINKFLAGS = ['-mwindows']) # build windows executables
+ util_env.Append(LINKFLAGS = ['$ALIGN_FLAG']) # 512 bytes align
++util_env.Append(LINKFLAGS = ['-Wl,--no-insert-timestamp']) # remove timestamps for reproducible builds
+
+
+ conf = FlagsConfigure(util_env)
diff --git a/build/win32/nsis-no-underscore.patch b/build/win32/nsis-no-underscore.patch
new file mode 100644
index 0000000000..79cff1d4b3
--- /dev/null
+++ b/build/win32/nsis-no-underscore.patch
@@ -0,0 +1,34 @@
+The `_` environment variable is a variable that is set by bash and some other
+shells to point to the executable they use when executing a command. That is,
+when executing `foo` from the command line, the shell sets `_` to
+`/usr/bin/foo` (assuming that's where foo is).
+
+However, nothing else does the same, so when e.g. a python program uses
+`subprocess.Popen` to run another program, it doesn't set `_`. Worse, if that
+python program itself was invoked from a shell, `_` would be set to e.g.
+`/usr/bin/python3`.
+
+So when nsis is invoked from a program that is not a shell, but the process
+ancestry has a process that was a shell, `_` may be set to the first
+intermediary program rather than nsis, which defeats nsis's assumption that `_`
+would contain the nsis path. Ironically, nsis also has more reliable fallbacks
+(using e.g. /proc/self/exe), but somehow prefers `_`.
+
+We remove the reliance of `_` entirely, for simplicity's sake.
+
+
+diff -ruN nsis-3.07-src.orig/Source/util.cpp nsis-3.07-src/Source/util.cpp
+--- nsis-3.07-src.orig/Source/util.cpp 2021-09-02 09:25:48.489016918 +0900
++++ nsis-3.07-src/Source/util.cpp 2021-09-02 09:26:21.158814484 +0900
+@@ -810,10 +810,7 @@
+ assert(rc == 0);
+ return tstring(CtoTString(temp_buf));
+ #else /* Linux/BSD/POSIX/etc */
+- const TCHAR *envpath = _tgetenv(_T("_"));
+- if (envpath)
+- return get_full_path(envpath);
+- else {
++ {
+ char *path = NULL, *pathtmp;
+ size_t len = 100;
+ int nchars;
diff --git a/build/win32/orderfile.txt b/build/win32/orderfile.txt
new file mode 100644
index 0000000000..f7b4299769
--- /dev/null
+++ b/build/win32/orderfile.txt
@@ -0,0 +1,17810 @@
+?AddWindowOverlayWebRenderCommands@nsIWidget@@UAEXPAVWebRenderBridgeChild@layers@mozilla@@AAVDisplayListBuilder@wr@4@AAVIpcResourceUpdateQueue@64@@Z
+__local_stdio_printf_options
+__local_stdio_scanf_options
+?Assign@?$nsTSubstring@D@@QAIXABV1@@Z
+?Create@NativeFontResourceDWrite@gfx@mozilla@@SA?AU?$already_AddRefed@VNativeFontResourceDWrite@gfx@mozilla@@@@PAEI@Z
+?SizeOfIncludingThis@gfxDWriteFontFileLoader@@QBEIP6AIPBX@Z@Z
+hb_ot_tag_to_script
+??6?$Log@$00UCriticalLogger@gfx@mozilla@@@gfx@mozilla@@QAEAAV012@ABV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@Z
+?Init@AutoWeakFrame@@AAEXPAVnsIFrame@@@Z
+?EstimatedRoundTripLatencyDefaultDevices@CubebUtils@mozilla@@YA_NPAN0@Z
+??0PLDHashTable@@QAE@PBUPLDHashTableOps@@II@Z
+??$_Reallocate_for@V<lambda_1>@?0??assign@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV34@QBDI@Z@PBD@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV01@IV<lambda_1>@?0??assign@01@QAEAAV01@QBDI@Z@PBD@Z
+?Assign@?$nsTSubstring@_S@@QAIXABV1@@Z
+??0SkSharedMutex@@QAE@XZ
+__rg_realloc
+?reset@LifoAlloc@js@@AAEXI@Z
+??0DefaultJitOptions@jit@js@@QAE@XZ
+?AssertJitStackInvariants@jit@js@@YAXPAUJSContext@@@Z
+?GetPushSizeInBytes@FloatRegister@jit@js@@SAIABV?$TypedRegisterSet@UFloatRegister@jit@js@@@23@@Z
+?Initialize@WinUtils@widget@mozilla@@SAXXZ
+XRE_GetBootstrap
+?AbortPrinting@PrintTarget@gfx@mozilla@@UAE?AW4nsresult@@XZ
+?IsAdminWithoutUac@mozilla@@YA?AV?$Result@_NVWindowsError@mozilla@@@1@XZ
+NS_LogInit
+?XRE_StartupTimelineRecord@@YAXHVTimeStamp@mozilla@@@Z
+?XRE_EnableSameExecutableForContentProc@@YAXXZ
+?XRE_main@@YAHHQAPADABUBootstrapConfig@mozilla@@@Z
+??0nsXREDirProvider@@QAE@XZ
+?Init@LogModule@mozilla@@SAXHQAPAD@Z
+??0?$TTokenizer@D@mozilla@@QAE@PBD00@Z
+?Check@?$TTokenizer@D@mozilla@@QAE_NABVToken@?$TokenizerBase@D@2@@Z
+?Next@IncrementalTokenizer@mozilla@@QAE_NAAVToken@?$TokenizerBase@D@2@@Z
+?Word@Token@?$TokenizerBase@D@mozilla@@SA?AV123@ABV?$nsTSubstring@D@@@Z
+?Equals@?$nsTStringRepr@D@detail@mozilla@@QBI_NABV123@@Z
+?_Delete_this@?$_Func_impl_no_alloc@P6AXXZX$$V@std@@EAEX_N@Z
+?NSPRLogModulesParser@mozilla@@YAXPBDABV?$function@$$A6AXPBDW4LogLevel@mozilla@@H@Z@std@@@Z
+?SetCurrentThreadName@CrashReporter@@YAXPBD@Z
+?profiler_init@@YAXPAX@Z
+?CreateOrGetModule@LogModuleManager@mozilla@@QAEPAVLogModule@2@PBD@Z
+?Search@PLDHashTable@@QBEPAUPLDHashEntryHdr@@PBX@Z
+?Add@PLDHashTable@@QAEPAUPLDHashEntryHdr@@PBXABUnothrow_t@std@@@Z
+?HashStringKey@PLDHashTable@@SAIPBX@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCharPtrHashKey@@V?$UniquePtr@UINIValue@nsINIParser_internal@@V?$DefaultDelete@UINIValue@nsINIParser_internal@@@mozilla@@@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+MOZ_Z_uncompress
+?growStorageBy@?$Vector@PAX$0A@VMallocAllocPolicy@mozilla@@@mozilla@@AAE_NI@Z
+?QueryInterface@GeckoProfilerReporter@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Assign@?$nsTSubstring@D@@QAIXPBDI@Z
+?NS_GetCurrentThreadNoCreate@@YAPAVnsIThread@@XZ
+?Init@nsProfiler@@QAE?AW4nsresult@@XZ
+?ensureCapacitySlow@ProfilingStack@@AAEXXZ
+??4XREAppData@mozilla@@QAEAAV01@ABUStaticXREAppData@1@@Z
+?GetFile@BinaryPath@mozilla@@SA?AW4nsresult@@PAPAVnsIFile@@@Z
+NS_NewLocalFile
+??0nsLocalFile@@QAE@ABV?$nsTSubstring@_S@@@Z
+?Truncate@?$nsTSubstring@D@@QAEXXZ
+?FindCharInReadable@@YA_N_SAAV?$nsReadingIterator@_S@@ABV1@@Z
+?IsBlockedUNCPath@FilePreferences@mozilla@@YA_NABV?$nsTSubstring@_S@@@Z
+?Last@?$nsTStringRepr@_S@detail@mozilla@@QBE_SXZ
+?Finalize@?$nsTSubstring@D@@IAIXXZ
+?AddRef@Action@Predictor@net@mozilla@@UAGKXZ
+?Release@nsLocalFile@@UAGKXZ
+?GetDescription@nsMIMEInfoBase@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetParent@nsLocalFile@@UAG?AW4nsresult@@PAPAVnsIFile@@@Z
+?RFindChar@?$nsTString@_S@@QBEH_SHH@Z
+?SetLength@?$nsTSubstring@_S@@QAI_NIABUnothrow_t@std@@@Z
+?MoveTo@nsLocalFile@@UAG?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@_S@@@Z
+?GetIsForPrinting@nsOpenWindowInfo@@UAG?AW4nsresult@@PA_N@Z
+?assign_with_AddRef@nsCOMPtr_base@@QAIXPAVnsISupports@@@Z
+?growStorageBy@?$Vector@USegment@?$BufferList@VInfallibleAllocPolicy@@@mozilla@@$00VInfallibleAllocPolicy@@@mozilla@@AAE_NI@Z
+?ShellExecuteByExplorer@mozilla@@YA?AV?$Result@UOk@mozilla@@VWindowsError@2@@1@ABV_bstr_t@@ABV_variant_t@@111@Z
+?NS_CopyNativeToUnicode@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV?$nsTSubstring@_S@@@Z
+?EnsureMutable@?$nsTSubstring@_S@@IAI_NI@Z
+?Init@?$nsTPromiseFlatString@_S@@AAEXABV?$nsTSubstring@_S@@@Z
+?Create@nsLocalFile@@UAG?AW4nsresult@@II@Z
+?First@?$nsTStringRepr@_S@detail@mozilla@@QBE_SXZ
+?Contains@?$nsTStringRepr@_S@detail@mozilla@@QBE_N_S@Z
+?EqualsASCII@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPBD@Z
+?Append@?$nsTSubstring@_S@@QAEX_S@Z
+?Append@?$nsTSubstring@_S@@QAEXABV1@@Z
+?Append@?$nsTSubstring@_S@@QAE_NPB_SIABUnothrow_t@std@@@Z
+?StartBulkWriteImpl@?$nsTSubstring@_S@@QAI?AV?$Result@IW4nsresult@@@mozilla@@II_NIII@Z
+?Init@IOInterposer@mozilla@@YA_NXZ
+?_Tidy@?$vector@IV?$allocator@I@std@@@std@@AAEXXZ
+?InitPoisonIOInterposer@mozilla@@YAXXZ
+?InsertIntoShutdownList@ClearOnShutdown_Internal@mozilla@@YAXPAVShutdownObserver@12@W4ShutdownPhase@2@@Z
+?InitOnceCallback@?$FuncHook@V?$WindowsDllInterceptor@VVMSharingPolicyShared@interceptor@mozilla@@@interceptor@mozilla@@P6GHPAUHWND__@@PAUtagWINDOWINFO@@@Z@interceptor@mozilla@@CGHPAT_RTL_RUN_ONCE@@PAXPAPAX@Z
+?AddHook@?$WindowsDllInterceptor@VVMSharingPolicyShared@interceptor@mozilla@@@interceptor@mozilla@@AAE_NPBDHPAPAX@Z
+?IsCompatible@?$WindowsDllNopSpacePatcher@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@SA_NXZ
+?ResolveRedirectedAddress@?$WindowsDllPatcherBase@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@IAE?AV?$ReadOnlyTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@23@P6GHXZ@Z
+?WriteHook@?$WindowsDllNopSpacePatcher@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@QAE_NABV?$ReadOnlyTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@23@HPAPAX@Z
+?Promote@?$ReadOnlyTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@QBE?AV?$WritableTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@23@IC@Z
+?IsValidAtOffset@?$ReadOnlyTargetBytes@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@QBE_NC@Z
+??0AutoProtect@?$WritableTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@QAE@ABVMMPolicyInProcess@23@III@Z
+?Clear@AutoProtect@?$WritableTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@AAEXXZ
+?AddHook@?$WindowsDllDetourPatcher@VVMSharingPolicyShared@interceptor@mozilla@@@interceptor@mozilla@@QAE_NP6GHXZHPAPAX@Z
+?Reserve@VMSharingPolicyShared@interceptor@mozilla@@QAE?AV?$Maybe@V?$TrampolinePool@VVMSharingPolicyShared@interceptor@mozilla@@V?$TrampolinePool@V?$VMSharingPolicyUnique@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@$$T@23@@interceptor@mozilla@@@3@II@Z
+?SpanFromPivotAndDistance@MMPolicyBase@interceptor@mozilla@@QBE?AV?$Maybe@V?$Span@$$CBE$0PPPPPPPP@@mozilla@@@3@III@Z
+?GetPolicy@?$RangeMap@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@QAEPAV?$VMSharingPolicyUnique@VMMPolicyInProcess@interceptor@mozilla@@@23@ABV?$Maybe@V?$Span@$$CBE$0PPPPPPPP@@mozilla@@@3@@Z
+?growStorageBy@?$Vector@VPolicyInfo@?$RangeMap@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@$0A@VInfallibleAllocPolicy@@@mozilla@@AAE_NI@Z
+?Reserve@MMPolicyInProcess@interceptor@mozilla@@IAEIIABV?$Maybe@V?$Span@$$CBE$0PPPPPPPP@@mozilla@@@3@@Z
+??$Reserve@V<lambda_1>@?0??0MMPolicyInProcess@interceptor@mozilla@@IAEIIABV?$Maybe@V?$Span@$$CBE$0PPPPPPPP@@mozilla@@@4@@Z@V<lambda_2>@?0??0234@IAEII0@Z@@MMPolicyBase@interceptor@mozilla@@QAEPAXPAXIABV<lambda_1>@?0??Reserve@MMPolicyInProcess@12@IAEIIABV?$Maybe@V?$Span@$$CBE$0PPPPPPPP@@mozilla@@@2@@Z@ABV<lambda_2>@?0??4512@IAEII1@Z@1@Z
+?GetNextTrampoline@?$VMSharingPolicyUnique@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@IAE?AV?$Maybe@V?$Trampoline@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@@3@XZ
+?MaybeCommitNextPage@MMPolicyInProcess@interceptor@mozilla@@IAE_NII@Z
+?CreateTrampoline@?$WindowsDllDetourPatcher@VVMSharingPolicyShared@interceptor@mozilla@@@interceptor@mozilla@@IAEXAAV?$ReadOnlyTargetFunction@VMMPolicyInProcess@interceptor@mozilla@@@23@PAV?$TrampolinePool@VVMSharingPolicyShared@interceptor@mozilla@@V?$TrampolinePool@V?$VMSharingPolicyUnique@VMMPolicyInProcess@interceptor@mozilla@@@interceptor@mozilla@@$$T@23@@23@AAV?$Trampoline@VMMPolicyInProcess@interceptor@mozilla@@@23@HPAPAX@Z
+?CacheNtDllThunk@GeckoChildProcessHost@ipc@mozilla@@SAXXZ
+??0ProcessRuntime@mscom@mozilla@@AAE@W4ProcessCategory@012@@Z
+?GetActCtxResourceId@Compatibility@a11y@mozilla@@SAGXZ
+??0ProcessRuntime@mscom@mozilla@@QAE@W4GeckoProcessType@@@Z
+?LaunchChild@@YA?AW4nsresult@@_N@Z
+?Record@StartupTimeline@mozilla@@SAXW4Event@12@@Z
+?IsHeadless@gfxPlatform@@SA_NXZ
+?SetupErrorHandling@@YAXPBD@Z
+?CompareVersions@mozilla@@YAHPBD0@Z
+?GenerateUUID@nsUUIDGenerator@@UAG?AW4nsresult@@PAPAUnsID@@@Z
+?Initialize@nsXREDirProvider@@QAE?AW4nsresult@@PAVnsIFile@@0PAVnsIDirectoryServiceProvider@@@Z
+?ResolveJunctionPointsAndSymLinks@WinUtils@widget@mozilla@@SA_NPAVnsIFile@@@Z
+??$_Reallocate_for@V<lambda_1>@?0??assign@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV34@QB_WI@Z@PB_W@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV01@IV<lambda_1>@?0??assign@01@QAEAAV01@QB_WI@Z@PB_W@Z
+?ResolveJunctionPointsAndSymLinks@WinUtils@widget@mozilla@@SA_NAAV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+??0Observation@IOInterposeObserver@mozilla@@IAE@W4Operation@12@PBD_N@Z
+?Report@Observation@IOInterposeObserver@mozilla@@IAEXXZ
+?SetExceptionHandler@CrashReporter@@YA?AW4nsresult@@PAVnsIFile@@_N@Z
+?nsUrlClassifierDBServiceConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?ToNewUnicode@@YAPA_SABV?$nsTSubstring@_S@@@Z
+?SetLength@?$nsTSubstring@_S@@QAIXI@Z
+??0ExceptionHandler@google_breakpad@@QAE@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@P6A?AW4FilterResult@01@PAXPAU_EXCEPTION_POINTERS@@PAUMDRawAssertionInfo@@@ZP6A_NPB_W5123PBVAddrInfo@phc@mozilla@@_N@Z1HW4_MINIDUMP_TYPE@@5PBUCustomClientInfo@1@@Z
+?UpdateNextID@ExceptionHandler@google_breakpad@@AAEXXZ
+?GUIDToWString@GUIDString@google_breakpad@@SA?AV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@PAU_GUID@@@Z
+swprintf_s
+?set_include_context_heap@ExceptionHandler@google_breakpad@@QAEX_N@Z
+?InitAppMemoryInternal@google_breakpad@@YAXXZ
+?GetUserDataDirectory@nsXREDirProvider@@SA?AW4nsresult@@PAPAVnsIFile@@_N@Z
+?GetLegacyInstallHash@nsXREDirProvider@@QAE?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?Assign@?$nsTSubstring@_S@@QAI_N$$QAV1@ABUnothrow_t@std@@@Z
+?pushLabelFrame@ProfilingStack@@QAEXPBD0PAXW4ProfilingCategoryPair@JS@@I@Z
+?SetUserAppDataDirectory@CrashReporter@@YAXPAVnsIFile@@@Z
+?SetProfileDirectory@CrashReporter@@YAXPAVnsIFile@@@Z
+?SetServerURL@CrashReporter@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?AnnotateCrashReport@CrashReporter@@YA?AW4nsresult@@W4Annotation@1@_N@Z
+?AnnotateCrashReport@CrashReporter@@YA?AW4nsresult@@W4Annotation@1@ABV?$nsTSubstring@D@@@Z
+?GetAppInitDLLs@WinUtils@widget@mozilla@@SA_NAAV?$nsTSubstring@_S@@@Z
+Gecko_StartBulkWriteCString
+_ZN11encoding_rs5utf_835convert_utf16_to_utf8_partial_inner17hd781f0e6ebce1ad7E
+?SetLength@?$nsTSubstring@D@@QAI_NIABUnothrow_t@std@@@Z
+?SetRestartArgs@CrashReporter@@YA?AW4nsresult@@HPAPAD@Z
+?AppendIntDec@?$nsTSubstring@D@@AAEXH@Z
+?append@?$PrintfAppend@D@@UAE_NPBDI@Z
+?Append@?$nsTSubstring@D@@QAEXPBDI@Z
+?Append@?$nsTSubstring@D@@QAE_NPBDIABUnothrow_t@std@@@Z
+?StartBulkWriteImpl@?$nsTSubstring@D@@QAI?AV?$Result@IW4nsresult@@@mozilla@@II_NIII@Z
+?ToNewCString@@YAPADABV?$nsTSubstring@D@@ABUnothrow_t@std@@@Z
+?SetupExtraData@CrashReporter@@YA?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@D@@@Z
+?Assign@?$nsTSubstring@D@@QAIXABV?$nsTSubstringTuple@D@@@Z
+?Assign@?$nsTSubstring@D@@QAI_NABV?$nsTSubstringTuple@D@@ABUnothrow_t@std@@@Z
+?Rebind@?$nsTString@_S@@QAEXPB_SI@Z
+?Exists@nsLocalFile@@UAG?AW4nsresult@@PA_N@Z
+?StringBeginsWith@@YA_NABV?$nsTSubstring@_S@@0@Z
+?FindCharInSet@?$nsTString@_S@@QBEHPB_SH@Z
+?OpenNSPRFileDesc@nsLocalFile@@UAG?AW4nsresult@@HHPAPAUPRFileDesc@@@Z
+?OpenFile@@YA?AW4nsresult@@ABV?$nsTString@_S@@HH_NPAPAUPRFileDesc@@@Z
+?SetLength@?$nsTSubstring@D@@QAIXI@Z
+?EnsureMutable@?$nsTSubstring@D@@IAI_NI@Z
+?IsDebugFile@mozilla@@YA_NH@Z
+_ZN11encoding_rs3mem14is_basic_latin17hd43a4220a37b24d5E
+?Init@?$nsTPromiseFlatString@D@@AAEXABV?$nsTSubstring@D@@@Z
+??$Smprintf@VMallocAllocPolicy@mozilla@@@mozilla@@YA?AV?$UniquePtr@DU?$AllocPolicyBasedFreePolicy@VMallocAllocPolicy@mozilla@@@detail@mozilla@@@0@PBDZZ
+?append@?$SprintfState@VMallocAllocPolicy@mozilla@@@mozilla@@MAE_NPBDI@Z
+?Initialize@SandboxBroker@mozilla@@SAXPAVBrokerServices@sandbox@@@Z
+?RunningFromANetworkDrive@WinUtils@widget@mozilla@@SA_NXZ
+?Initialize@SandboxPermissions@mozilla@@SAXPAVPermissionsService@sandboxing@2@P6AX_N@Z@Z
+??0nsPrintfCString@@QAA@PBDZZ
+?Init@CommandLine@@SAXHPBQBD@Z
+?RevokeAll@RevocableStore@@QAEXXZ
+?allocate@?$allocator@U?$_List_node@U?$pair@$$CBULayersId@layers@mozilla@@V?$nsTArray@_K@@@std@@PAX@std@@@std@@QAEPAU?$_List_node@U?$pair@$$CBULayersId@layers@mozilla@@V?$nsTArray@_K@@@std@@PAX@2@I@Z
+??$_Emplace_reallocate@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@?$vector@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V?$allocator@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@@std@@QAEPAV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@1@QAV21@ABV21@@Z
+?_Change_array@?$vector@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V?$allocator@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@@std@@AAEXQAV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@II@Z
+?GetIncompleteStartupFile@startup@mozilla@@YA?AV?$Result@V?$nsCOMPtr@VnsIFile@@@@W4nsresult@@@2@PAVnsIFile@@@Z
+?InitIOReporting@Telemetry@mozilla@@YAXPAVnsIFile@@@Z
+??0TelemetryIOInterposeObserver@Telemetry@mozilla@@QAE@PAVnsIFile@@@Z
+?AddPath@TelemetryIOInterposeObserver@Telemetry@mozilla@@QAEXABV?$nsTSubstring@_S@@0@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?Register@IOInterposer@mozilla@@YAXW4Operation@IOInterposeObserver@2@PAV42@@Z
+?Description@ApplicationAccessible@a11y@mozilla@@UAEXAAV?$nsTString@_S@@@Z
+??0nsRemoteService@@QAE@PBD@Z
+??0nsProfileLock@@QAE@XZ
+?ToLowerCase@@YAXAAV?$nsTSubstring@D@@@Z
+?NS_CreateNativeAppSupport@@YA?AW4nsresult@@PAPAVnsINativeAppSupport@@@Z
+?CheckConsole@nsNativeAppSupportWin@@QAEXXZ
+?GetCloneable@DecryptingInputStreamBase@quota@dom@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?NS_NewToolkitProfileService@@YA?AW4nsresult@@PAPAVnsToolkitProfileService@@@Z
+?Release@nsToolkitProfileService@@UAGKXZ
+?NtPathToDosPath@mozilla@@YA_NABV?$nsTSubstring@_S@@AAV2@@Z
+?Rebind@?$nsTDependentSubstring@_S@@QAEXABV?$nsTSubstring@_S@@II@Z
+?Equals@?$nsTStringRepr@_S@detail@mozilla@@QBI_NABV123@@Z
+?Replace@?$nsTSubstring@_S@@QAI_NIIPB_SIABUnothrow_t@std@@@Z
+?Assign@?$nsTSubstring@_S@@QAI_NPB_SABUnothrow_t@std@@@Z
+?CompleteStartup@nsToolkitProfileService@@QAEXXZ
+?Init@nsINIParser_internal@@QAE?AW4nsresult@@PAVnsIFile@@@Z
+?ReadFile@URLPreloader@mozilla@@SA?AV?$Result@V?$nsTString@D@@W4nsresult@@@2@PAVnsIFile@@W4ReadType@12@@Z
+??0CacheKey@URLPreloader@mozilla@@QAE@PAVnsIFile@@@Z
+?Read@URLPreloader@mozilla@@CA?AV?$Result@V?$nsTString@D@@W4nsresult@@@2@ABUCacheKey@12@W4ReadType@12@@Z
+?VoidCString@@YAABV?$nsTString@D@@XZ
+?ReInitialize@URLPreloader@mozilla@@KAAAV12@XZ
+??0FileLocation@mozilla@@QAE@XZ
+Gecko_StartBulkWriteString
+_ZN11encoding_rs3mem21convert_utf8_to_utf1617hdf5dc0bbfd6a2558E
+_ZN11encoding_rs7Encoder17encode_from_utf1617h4282e5aaeb9ba218E
+??0FileLocation@mozilla@@QAE@PAVnsIFile@@@Z
+??0FileLocation@mozilla@@QAE@$$QAV01@@Z
+?Assign@?$nsTSubstring@D@@QAI_N$$QAV1@ABUnothrow_t@std@@@Z
+??1FileLocation@mozilla@@QAE@XZ
+?ReadZip@URLPreloader@mozilla@@SA?AV?$Result@V?$nsTString@D@@W4nsresult@@@2@PAVnsZipArchive@@ABV?$nsTSubstring@D@@W4ReadType@12@@Z
+?GetData@FileLocation@mozilla@@QAE?AW4nsresult@@AAVData@12@@Z
+?GetSize@Data@FileLocation@mozilla@@QAE?AW4nsresult@@PAI@Z
+?Copy@Data@FileLocation@mozilla@@QAE?AW4nsresult@@PADI@Z
+?Assign@?$nsTSubstring@D@@QAIX$$QAV1@@Z
+?Rebind@?$nsTDependentSubstring@D@@QAEXABV?$nsTSubstring@D@@II@Z
+?Equals@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBD@Z
+?Append@?$nsTSubstring@D@@QAEXABV1@@Z
+?SetString@nsINIParser_internal@@QAE?AW4nsresult@@PBD00@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCharPtrHashKey@@V?$UniquePtr@UINIValue@nsINIParser_internal@@V?$DefaultDelete@UINIValue@nsINIParser_internal@@@mozilla@@@mozilla@@@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?GetString@nsINIParser_internal@@QAE?AW4nsresult@@PBD0AAV?$nsTSubstring@D@@@Z
+?EqualsASCII@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBDI@Z
+?GetInstallHash@nsXREDirProvider@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetFile@nsXREDirProvider@@UAG?AW4nsresult@@PBDPA_NPAPAVnsIFile@@@Z
+?GetInstallHash@@YA_NPB_SPBDAAV?$UniquePtr@$$BY0A@_WV?$DefaultDelete@$$BY0A@_W@mozilla@@@mozilla@@_N@Z
+CityHash64
+?Assign@?$nsTSubstring@_S@@QAIXPB_SI@Z
+?Assign@?$nsTSubstring@_S@@QAI_NPB_SIABUnothrow_t@std@@@Z
+?Replace@?$nsTSubstring@D@@QAI_NIIPBDIABUnothrow_t@std@@@Z
+?BulkWrite@?$nsTSubstring@D@@QAI?AV?$Result@V?$BulkWriteHandle@D@mozilla@@W4nsresult@@@mozilla@@II_N@Z
+?AppendIntDec@?$nsTSubstring@D@@AAEXI@Z
+NS_NewNativeLocalFile
+?SetRelativeDescriptor@nsLocalFile@@UAG?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@D@@@Z
+?FindInReadable@@YA_NABV?$nsTSubstring@D@@AAV?$nsReadingIterator@D@@1P6AHPBD2II@Z@Z
+??$nsTDefaultStringComparator@D@@YAHPBD0II@Z
+?FindCharInReadable@@YA_NDAAV?$nsReadingIterator@D@@ABV1@@Z
+??0?$nsTDependentSubstring@D@@QAE@PBD0@Z
+?InitWithFile@nsLocalFile@@UAG?AW4nsresult@@PAVnsIFile@@@Z
+?NS_LockProfilePath@@YA?AW4nsresult@@PAVnsIFile@@0PAPAVnsIProfileUnlocker@@PAPAVnsIProfileLock@@@Z
+?InitDirectoriesWhitelist@FilePreferences@mozilla@@YAXXZ
+?GetRelativeDescriptor@nsLocalFile@@UAG?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?Append@?$nsTSubstring@D@@QAEXD@Z
+?AddRef@AccessibleCaretEventHub@mozilla@@UAGKXZ
+?SelectStartupProfile@nsToolkitProfileService@@QAE?AW4nsresult@@PAHQAPAD_NPAPAVnsIFile@@3PAPAVnsIToolkitProfile@@PA_N5@Z
+?GetFileFromEnv@mozilla@@YA?AU?$already_AddRefed@VnsIFile@@@@PBD@Z
+nsstring_fallible_append_latin1_impl
+_ZN11encoding_rs3mem23convert_latin1_to_utf1617haa484ac186ff226dE
+?XRE_GetFileFromPath@@YA?AW4nsresult@@PBDPAPAVnsIFile@@@Z
+?RealInit@nsDirectoryService@@SAXXZ
+?assign_from_qi@nsCOMPtr_base@@QAIXVnsQueryInterfaceISupports@@ABUnsID@@@Z
+?QueryInterface@nsLocalFile@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NS_TableDrivenQI@@YI?AW4nsresult@@PAXABUnsID@@PAPAXPBUQITableEntry@@@Z
+?SetLeafName@nsLocalFile@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetLeafName@nsLocalFile@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?ProcessUpdates@@YA?AW4nsresult@@PAVnsIFile@@00HPAPADPBD_NPAPAX@Z
+?Lock@nsProfileLock@@QAE?AW4nsresult@@PAVnsIFile@@PAPAVnsIProfileUnlocker@@@Z
+?SetIsVoid@?$nsTSubstring@D@@QAIX_N@Z
+??1PLDHashTable@@QAE@XZ
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCharPtrHashKey@@V?$UniquePtr@UINIValue@nsINIParser_internal@@V?$DefaultDelete@UINIValue@nsINIParser_internal@@@mozilla@@@mozilla@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+??1INIValue@nsINIParser_internal@@QAE@XZ
+?SetProfile@nsXREDirProvider@@QAE?AW4nsresult@@PAVnsIFile@@0@Z
+?SetProfileDir@Telemetry@mozilla@@YAXPAVnsIFile@@@Z
+?SetMinidumpPath@CrashReporter@@YA?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?Remove@nsLocalFile@@UAG?AW4nsresult@@_N@Z
+NS_InitXPCOM
+?NS_InitAtomTable@@YAXXZ
+?s_InitEntry@?$nsTHashtable@VCacheHashEntry@gfxFont@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+_ZN12gecko_logger11GeckoLogger4init17ha40fac3b6e81bfcfE
+_ZN10env_logger7Builder3new17h6a166f88f4c68113E
+_ZN10env_logger6filter7Builder5parse17h7283c5bdd8602a79E
+_ZN9once_cell3imp16initialize_inner17h9e98366f276ee2acE
+_ZN55_$LT$log..LevelFilter$u20$as$u20$core..str..FromStr$GT$8from_str17h153c08f963f8752fE
+__rg_alloc
+_ZN10env_logger7Builder5build17hb57bd285d5f5f031E
+_ZN10env_logger6Logger6filter17hf4b810aabe1b4655E
+_ZN3log16set_boxed_logger17ha770d19ed3c920faE
+??0AtExitManager@base@@QAE@XZ
+?current@MessageLoop@@SAPAV1@XZ
+?AllocateSlot@ThreadLocalPlatform@base@@SAXAAH@Z
+??0MessageLoop@@QAE@W4Type@0@PAVnsIEventTarget@@@Z
+?SetValueInSlot@ThreadLocalPlatform@base@@SAXAAHPAX@Z
+?AddRef@BlobURL@dom@mozilla@@UAGKXZ
+??0MessagePump@ipc@mozilla@@QAE@PAVnsIEventTarget@@@Z
+??0MessagePumpDefault@base@@QAE@XZ
+??0WaitableEvent@base@@QAE@_N0@Z
+?GetReader@Omnijar@mozilla@@SA?AU?$already_AddRefed@VnsZipArchive@@@@PAVnsIFile@@@Z
+?GetMessageLoop@BrowserProcessSubThread@ipc@mozilla@@SAPAVMessageLoop@@W4ID@123@@Z
+??0BrowserProcessSubThread@ipc@mozilla@@QAE@W4ID@012@@Z
+??0Thread@base@@QAE@PBD@Z
+?StartWithOptions@Thread@base@@QAE_NABUOptions@12@@Z
+?ThreadMain@Thread@base@@EAEXXZ
+?NS_GetCurrentThread@@YAPAVnsIThread@@XZ
+?GetCurrentThread@nsThreadManager@@QAEPAVnsThread@@XZ
+?profiler_register_thread@@YAPAVProfilingStack@@PBDPAX@Z
+?AppendPrintf@?$nsTSubstring@D@@QAAXPBDZZ
+?RegisterCurrentThread@IOInterposer@mozilla@@YAX_N@Z
+??0MessagePumpForIO@base@@QAE@XZ
+?RemoveDestructionObserver@MessageLoop@@QAEXPAVDestructionObserver@1@@Z
+?get@nsThreadManager@@SAAAV1@XZ
+?Init@nsThreadManager@@QAE?AW4nsresult@@XZ
+?Initialize@TaskController@mozilla@@SA_NXZ
+?Run@MessagePumpWin@base@@UAEXPAVDelegate@MessagePump@2@@Z
+?ScheduleWork@MessagePumpForIO@base@@UAEXXZ
+?DoWork@MessageLoop@@MAE_NXZ
+??0IdlePeriodState@mozilla@@QAE@$$QAU?$already_AddRefed@VnsIIdlePeriod@@@@@Z
+??0nsThread@@QAE@V?$NotNull@PAVSynchronizedEventQueue@mozilla@@@mozilla@@W4MainThreadFlag@0@I@Z
+?AddRef@BackgroundDataBridgeParent@net@mozilla@@UAGKXZ
+?QueryInterface@nsThread@@W7AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetPRThread@nsThread@@UAG?AW4nsresult@@PAPAUPRThread@@@Z
+?InitMainThread@AbstractThread@mozilla@@SAXXZ
+?QueryInterface@nsThread@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IsOnCurrentThread@nsIEventTarget@@QAE_NXZ
+?Release@nsThread@@UAGKXZ
+??0nsThreadPool@@QAE@XZ
+?IdleDispatchToMainThread@nsThreadManager@@UAG?AW4nsresult@@PAVnsIRunnable@@I@Z
+??$Serialize@V?$nsTSubstring@D@@@?$MarkerTypeSerialization@UTextMarker@markers@baseprofiler@mozilla@@@base_profiler_markers_detail@mozilla@@SA?AVProfileBufferBlockIndex@2@AAVProfileChunkedBuffer@2@ABV?$ProfilerStringView@D@2@ABVMarkerCategory@2@$$QAVMarkerOptions@2@ABV?$nsTSubstring@D@@@Z
+?SetName@nsThreadPool@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetThreadStackSize@nsThreadPool@@UAG?AW4nsresult@@I@Z
+?SetThreadLimit@nsThreadPool@@UAG?AW4nsresult@@I@Z
+?SetIdleThreadLimit@nsThreadPool@@UAG?AW4nsresult@@I@Z
+?SetIdleThreadTimeout@nsThreadPool@@UAG?AW4nsresult@@I@Z
+?profiler_init_threadmanager@@YAXXZ
+?Startup@nsTimerImpl@@SA?AW4nsresult@@XZ
+?RegisterProvider@nsDirectoryService@@UAG?AW4nsresult@@PAVnsIDirectoryServiceProvider@@@Z
+?AddRef@ComponentsSH@@UAGKXZ
+?Get@nsDirectoryService@@UAG?AW4nsresult@@PBDABUnsID@@PAPAX@Z
+?AddRef@CompositorBridgeChild@layers@mozilla@@WLM@AGKXZ
+?Set@nsDirectoryService@@UAG?AW4nsresult@@PBDPAVnsISupports@@@Z
+?Add@PLDHashTable@@QAEPAUPLDHashEntryHdr@@PBX@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayFallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@H@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?PopSuspendLateWriteChecks@mozilla@@YAXXZ
+?NS_OpenAnonymousTemporaryFile@@YA?AW4nsresult@@PAPAUPRFileDesc@@@Z
+?NS_Atomize@@YA?AU?$already_AddRefed@VnsAtom@@@@PBD@Z
+?HashUTF8AsUTF16@mozilla@@YAIPBDIPA_N@Z
+?Caps@NullHttpTransaction@net@mozilla@@UAEIXZ
+?CompareUTF8toUTF16@@YAHABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@PA_N@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@UFontFaceData@@@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+??0nsComponentManagerImpl@@QAE@XZ
+?nsCycleCollector_startup@@YAXXZ
+?AddRef@AlertNotification@mozilla@@UAGKXZ
+?InitWithFailureDiagnostic@detail@JS@@YAPBD_N@Z
+_ZN11ffi_support24init_panic_handling_once17ha40799a909762a97E
+?PRMJ_NowInit@@YAXXZ
+?Init@SliceBudget@js@@SAXXZ
+?InitMallocAllocator@js@@YAXXZ
+?InitMemorySubsystem@gc@js@@YAXXZ
+?Init@wasm@js@@YA_NXZ
+?init@ProcessExecutableMemory@@QAE_NXZ
+?GenerateRandomSeed@js@@YA_KXZ
+?GenerateXorShift128PlusSeed@js@@YAXAAV?$Array@_K$01@mozilla@@@Z
+?InitializeJit@jit@js@@YA_NXZ
+?SetSSEVersion@CPUInfo@jit@js@@CAXXZ
+?InitDateTimeState@js@@YA_NXZ
+?Initialize@vtune@js@@YA_NXZ
+loadiJIT_Funcs
+?InitializeJittedAtomics@jit@js@@YA_NXZ
+?mark@LifoAlloc@js@@QAE?AVMark@12@XZ
+??0JitContext@jit@js@@QAE@PAVTempAllocator@12@@Z
+??0MacroAssembler@jit@js@@IAE@XZ
+?assignWasmSafepoint@LIRGeneratorShared@jit@js@@IAEXPAVLInstruction@23@PAVMInstruction@23@@Z
+?assumeUnreachable@MacroAssembler@jit@js@@QAEXPBD@Z
+?PushRegsInMask@MacroAssembler@jit@js@@QAEXV?$LiveSet@VRegisterSet@jit@js@@@23@@Z
+?subFromStackPtr@MacroAssembler@jit@js@@QAEXUImm32@23@@Z
+?storeLoadFence@MacroAssemblerX86Shared@jit@js@@QAEXXZ
+?PopRegsInMask@MacroAssembler@jit@js@@QAEXV?$LiveSet@VRegisterSet@jit@js@@@23@@Z
+?PopRegsInMaskIgnore@MacroAssembler@jit@js@@QAEXV?$LiveSet@VRegisterSet@jit@js@@@23@0@Z
+?freeStack@MacroAssembler@jit@js@@QAEXI@Z
+?addl_im@BaseAssembler@X86Encoding@jit@js@@QAEXHHW4RegisterID@234@0H@Z
+?next@ABIArgGenerator@jit@js@@QAE?AVABIArg@23@W4MIRType@23@@Z
+?movl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+?movzwl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+?twoByteOp@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@QAEXW4TwoByteOpcodeID@345@HW4RegisterID@345@H@Z
+??$store8@UAddress@jit@js@@@MacroAssemblerX86Shared@jit@js@@QAEXURegister@12@ABUAddress@12@@Z
+?movb@AssemblerX86Shared@jit@js@@QAEXURegister@23@ABVOperand@23@@Z
+?memoryModRM@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@AAEXHW4RegisterID@345@H@Z
+?AtomicMemcpyUpUnsynchronized@jit@js@@YAXPAEPBEI@Z
+?movw@AssemblerX86Shared@jit@js@@QAEXURegister@23@ABVOperand@23@@Z
+?oneByteOp@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@QAEXW4OneByteOpcodeID@345@HW4RegisterID@345@H@Z
+?growStorageBy@?$Vector@E$0BAA@VAssemblerBufferAllocPolicy@jit@js@@@mozilla@@AAE_NI@Z
+?movl@AssemblerX86Shared@jit@js@@QAEXURegister@23@ABVOperand@23@@Z
+?compareExchange@MacroAssembler@jit@js@@QAEXW4Type@Scalar@3@ABUSynchronization@23@ABUAddress@23@URegister@23@33@Z
+?enterFakeExitFrameForWasm@MacroAssembler@jit@js@@QAEXURegister@23@0W4ExitFrameType@23@@Z
+?fld32@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@@Z
+?movl_rm@BaseAssembler@X86Encoding@jit@js@@QAEXW4RegisterID@234@PBX@Z
+?lock_cmpxchg8b@AssemblerX86Shared@jit@js@@QAEXURegister@23@000ABVOperand@23@@Z
+?atomicExchange@MacroAssembler@jit@js@@QAEXW4Type@Scalar@3@ABUSynchronization@23@ABUAddress@23@URegister@23@3@Z
+?wasmCompareExchange@MacroAssembler@jit@js@@QAEXABVMemoryAccessDesc@wasm@3@ABUAddress@23@URegister@23@22@Z
+?atomicFetchOp@MacroAssembler@jit@js@@QAEXW4Type@Scalar@3@ABUSynchronization@23@W4AtomicOp@23@URegister@23@ABUAddress@23@33@Z
+?wasmAtomicExchange@MacroAssembler@jit@js@@QAEXABVMemoryAccessDesc@wasm@3@ABUAddress@23@URegister@23@2@Z
+?bind@AssemblerX86Shared@jit@js@@QAEXPAVLabel@23@@Z
+?jSrc@AssemblerX86Shared@jit@js@@IAEXW4Condition@123@PAVLabel@23@@Z
+?finish@MacroAssembler@jit@js@@QAEXXZ
+?finish@MacroAssemblerX86@jit@js@@QAEXXZ
+?allocate@ProcessExecutableMemory@@QAEPAXIW4ProtectionSetting@jit@js@@W4MemCheckKind@@@Z
+?executableCopy@Assembler@jit@js@@QAEXPAE@Z
+?ReprotectRegion@jit@js@@YA_NPAXIW4ProtectionSetting@12@W4MustFlushICache@12@@Z
+??1MacroAssembler@jit@js@@QAE@XZ
+?release@LifoAlloc@js@@QAEXVMark@12@@Z
+?reset@?$UniquePtr@VBumpChunk@detail@js@@U?$DeletePolicy@VBumpChunk@detail@js@@@JS@@@mozilla@@QAEXPAVBumpChunk@detail@js@@@Z
+??1LifoAlloc@js@@QAE@XZ
+?freeAll@LifoAlloc@js@@QAEXXZ
+?GetCPUCount@js@@YAIXZ
+?toStringDontDeflate@?$InlineCharBuffer@_S@js@@QAEPAVJSString@@PAUJSContext@@IW4InitialHeap@gc@2@@Z
+??0JSContext@@QAE@PAUJSRuntime@@ABVContextOptions@JS@@@Z
+??0JSFreeOp@@QAE@PAUJSRuntime@@_N@Z
+?init@JSContext@@QAE_NW4ContextKind@js@@@Z
+??0FreeLists@gc@js@@QAE@XZ
+?CreateIsolate@irregexp@js@@YAPAVIsolate@internal@v8@@PAUJSContext@@@Z
+??0RegExpStack@internal@v8@@QAE@XZ
+??4?$HeapPtr@PAVJSObject@@@js@@QAEAAV01@$$QAV01@@Z
+?initialize@FutexThread@js@@SA_NXZ
+?InitTraceLogger@JS@@YA_NXZ
+?Init@nsComponentManagerImpl@@QAE?AW4nsresult@@XZ
+?Create@nsDirectoryService@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??1nsCategoryManager@@AAE@XZ
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@$$CBVTableCellAccessible@a11y@mozilla@@@@V?$RefPtr@VAccessible@a11y@mozilla@@@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@H@@@@KAIPBX@Z
+?Value@StaticCategoryEntry@xpcom@mozilla@@QBE?AV?$nsTString@D@@XZ
+?ContractID@ContractEntry@xpcom@mozilla@@QBE?AV?$nsTString@D@@XZ
+?nsLayoutModuleInitialize@@YAXXZ
+?InitStatics@nsXPConnect@@SAXXZ
+?ThreadSafeIsChromeOrUAWidget@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?SetProfilingThreadCallbacks@JS@@YAXP6APAVProfilingStack@@PBDPAX@ZP6AXXZ@Z
+?InitStatics@nsScriptSecurityManager@@SAXXZ
+?GetServiceByContractID@nsComponentManagerImpl@@UAG?AW4nsresult@@PBDABUnsID@@PAPAX@Z
+?ToProvidedString@nsID@@QBEXAAY0CH@D@Z
+?ToString@nsID@@QBEPADXZ
+?InitGlobalObjects@nsStandardURL@net@mozilla@@SAXXZ
+?assign_from_gs_contractid@nsCOMPtr_base@@QAIXVnsGetServiceByContractID@@ABUnsID@@@Z
+??0nsIDNService@@QAE@XZ
+?Init@nsIDNService@@QAE?AW4nsresult@@XZ
+?GetInstanceForService@Preferences@mozilla@@SA?AU?$already_AddRefed@VPreferences@mozilla@@@@XZ
+XPCOMService_GetObserverService
+?Create@nsObserverService@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_DispatchToCurrentThread@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+?GetCurrentEventTarget@mozilla@@YAPAVnsIEventTarget@@XZ
+?Dispatch@nsThread@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?QueryInterface@Runnable@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?PutEvent@?$EventQueueInternal@$0BA@@detail@mozilla@@QAEX$$QAU?$already_AddRefed@VnsIRunnable@@@@W4EventQueuePriority@3@ABV?$BaseAutoLock@AAVMutex@mozilla@@@23@PAV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@3@@Z
+?AddTask@TaskController@mozilla@@QAEX$$QAU?$already_AddRefed@VTask@mozilla@@@@@Z
+?AddRef@AddonContentPolicy@@UAGKXZ
+??1AutoProfilerTextMarker@@QAE@XZ
+?SetServiceInstance@StaticModule@xpcom@mozilla@@QBEXU?$already_AddRefed@VnsISupports@@@@@Z
+?Shutdown@nsObserverService@@QAEXXZ
+??$DeserializeArguments@$0A@$$V@?$MarkerTypeSerialization@UTextMarker@markers@baseprofiler@mozilla@@@base_profiler_markers_detail@mozilla@@CAXAAVProfileBufferEntryReader@2@AAVSpliceableJSONWriter@baseprofiler@2@@Z
+?AddObserver@nsObserverList@@QAE?AW4nsresult@@PAVnsIObserver@@_N@Z
+?NS_GetWeakReference@@YAPAVnsIWeakReference@@PAVnsISupports@@PAW4nsresult@@@Z
+?assign_from_qi_with_error@nsCOMPtr_base@@QAIXABVnsQueryInterfaceISupportsWithError@@ABUnsID@@@Z
+?GetWeakReference@nsSupportsWeakReference@@UAG?AW4nsresult@@PAPAVnsIWeakReference@@@Z
+?Release@nsWeakReference@@UAGKXZ
+?Release@nsObserverService@@UAGKXZ
+?GetName@SVCBRecord@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?FinishInitializingUserPrefs@Preferences@mozilla@@SAXXZ
+?GetFloat@Preferences@mozilla@@SAMPBDMW4PrefValueKind@2@@Z
+??$Compare@U?$CompareWrapper@UCharComparator@?1??Write@PreferencesWriter@mozilla@@SA?AW4nsresult@@PAVnsIFile@@AAV?$nsTArray@V?$nsTString@D@@@@@Z@V?$nsTString@D@@$0A@@detail@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@SAHPBX0PAX@Z
+?AppendASCII@?$nsTSubstring@D@@QAEXPBDI@Z
+?Contains@?$nsTStringRepr@D@detail@mozilla@@QBE_ND@Z
+?assign_from_gs_contractid_with_error@nsCOMPtr_base@@QAIXABVnsGetServiceByContractIDWithError@@ABUnsID@@@Z
+??RnsGetServiceByContractIDWithError@@QBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+prefs_parser_parse
+?EqualsASCII@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPBDI@Z
+?CopyMove@nsLocalFile@@AAE?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@_S@@I@Z
+?AppendASCII@?$nsTSubstring@_S@@QAEXPBDI@Z
+?ReplaceChar@?$nsTString@_S@@QAEX_S0@Z
+?HasMoreElements@nsDirEnumerator@@UAG?AW4nsresult@@PA_N@Z
+?NS_CopyUnicodeToNative@@YA?AW4nsresult@@ABV?$nsTSubstring@_S@@AAV?$nsTSubstring@D@@@Z
+?StringEndsWith@@YA_NABV?$nsTSubstring@D@@0P6AHPBD1II@Z@Z
+?nsCaseInsensitiveCStringComparator@@YAHPBD0II@Z
+?InsertObjectAt@nsCOMArray_base@@IAE_NPAVnsISupports@@H@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@D@@I@Z
+?Sort@nsCOMArray_base@@IAEXP6AHPAVnsISupports@@0PAX@Z1@Z
+??1nsCOMArray_base@@IAE@XZ
+?Release@nsSimpleEnumerator@@UAGKXZ
+?AcquireTextureSource@TextureHost@layers@mozilla@@UAE_NAAV?$CompositableTextureRef@VTextureSource@layers@mozilla@@@23@@Z
+?QueryInterface@nsXREDirProvider@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NS_NewArrayEnumerator@@YA?AW4nsresult@@PAPAVnsISimpleEnumerator@@ABVnsCOMArray_base@@ABUnsID@@@Z
+?NS_NewUnionEnumerator@@YA?AW4nsresult@@PAPAVnsISimpleEnumerator@@PAV2@1@Z
+?QueryInterface@nsSimpleEnumerator@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?XPCOMConstructor@nsArrayBase@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+NS_QuickSort
+?ToLowerCaseASCII@@YAXAAV?$RefPtr@VnsAtom@@@@@Z
+?nsISupportsComparator@?$nsCOMArray@VnsICategoryEntry@@@@SAHPAVnsISupports@@0PAX@Z
+?SetBool@Preferences@mozilla@@SA?AW4nsresult@@PBD_NW4PrefValueKind@2@@Z
+?Lock@Preferences@mozilla@@SA?AW4nsresult@@PBD@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAVPref@dom@mozilla@@@?$nsTArray_Impl@VPref@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVPref@dom@mozilla@@AAV123@@Z
+??$RegisterCallbackImpl@$$CBV?$nsTSubstring@D@@@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZABV?$nsTSubstring@D@@1W4MatchKind@01@_N@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint32HashKey@@UTouchInfo@TouchManager@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?ToFloat@?$nsTString@D@@QBEMPAW4nsresult@@@Z
+?NS_CreateServicesFromCategory@@YAXPBDPAVnsISupports@@0PB_S@Z
+?Create@nsCategoryManager@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?AddRef@AsyncStatementJSHelper@storage@mozilla@@UAGKXZ
+?NS_NewEmptyEnumerator@@YA?AW4nsresult@@PAPAVnsISimpleEnumerator@@@Z
+?CommitToSegmentSize@nsAHttpSegmentReader@net@mozilla@@UAE?AW4nsresult@@I_N@Z
+?NotifyObservers@nsObserverService@@UAG?AW4nsresult@@PAVnsISupports@@PBDPB_S@Z
+??$GetPrefValue@AAV?$nsTSubstring@D@@@Internals@mozilla@@SA?AW4nsresult@@PBDAAV?$nsTSubstring@D@@W4PrefValueKind@1@@Z
+?NS_DispatchToMainThread@@YA?AW4nsresult@@PAVnsIRunnable@@I@Z
+?AddRef@CancelableRunnable@mozilla@@UAGKXZ
+?NS_DispatchToMainThread@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@I@Z
+?Release@Runnable@mozilla@@UAGKXZ
+?QueryInterface@Preferences@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@AsyncStatement@storage@mozilla@@UAGKXZ
+?Release@Preferences@mozilla@@UAGKXZ
+??$RegisterCallbackImpl@PAPBD@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZAAPAPBD1W4MatchKind@01@_N@Z
+?Release@nsIDNService@@UAGKXZ
+??$GetPrefValue@AAPA_N@Internals@mozilla@@SA?AW4nsresult@@PBDAAPA_NW4PrefValueKind@1@@Z
+?InitializeBlocklist@net@mozilla@@YAXAAV?$nsTArray@U?$pair@_S_S@std@@@@@Z
+?GetString@Preferences@mozilla@@SA?AW4nsresult@@PBDAAV?$nsTSubstring@_S@@W4PrefValueKind@2@@Z
+?Release@FOG@mozilla@@UAGKXZ
+?QueryInterface@nsAuthURLParser@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsAuthURLParser@@UAGKXZ
+?GetInstance@nsIOService@net@mozilla@@SA?AU?$already_AddRefed@VnsIOService@net@mozilla@@@@XZ
+?GetOrCreate@nsErrorService@@SA?AU?$already_AddRefed@VnsIErrorService@@@@XZ
+?Trace@TraceCallbackFunc@@UBEXPAV?$Heap@PAVJSString@@@JS@@PBDPAX@Z
+?getContent@txXPathNativeNode@@SAPAVnsIContent@@ABVtxXPathNode@@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint32HashKey@@H@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?Init@SSLTokensCache@net@mozilla@@SA?AW4nsresult@@XZ
+RegisterWeakMemoryReporter
+??0nsMemoryReporterManager@@QAE@XZ
+?Init@nsStreamTransportService@net@mozilla@@QAE?AW4nsresult@@XZ
+?GetBlockAllMixedContent@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Release@nsStreamTransportService@net@mozilla@@UAGKXZ
+?Init@nsMemoryReporterManager@@UAG?AW4nsresult@@XZ
+?HandleChildReport@nsMemoryReporterManager@@QAEXIABVMemoryReport@dom@mozilla@@@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsRefPtrHashKey@VFileManager@indexedDB@dom@mozilla@@@@V?$UniquePtr@V?$nsTArray@_J@@V?$DefaultDelete@V?$nsTArray@_J@@@mozilla@@@mozilla@@@@@@KAIPBX@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsRefPtrHashKey@VnsIWeakReference@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?Release@ArgValueArray@storage@mozilla@@UAGKXZ
+?Release@nsMemoryReporterManager@@UAGKXZ
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@$$CBURawServoStyleRule@@@@V?$WeakPtr@VCSSStyleRule@dom@mozilla@@$0A@@mozilla@@@@@@KAIPBX@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@VnsIFrame@@@@W4FrameFlags@RetainedDisplayListData@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?AddRef@BindingParams@storage@mozilla@@UAGKXZ
+?RemoveRequestContext@RequestContextService@net@mozilla@@UAG?AW4nsresult@@_K@Z
+?assign_from_gs_cid@nsCOMPtr_base@@QAIXVnsGetServiceByCID@@ABUnsID@@@Z
+??RnsGetServiceByCID@@QBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetService@nsComponentManagerImpl@@UAG?AW4nsresult@@ABUnsID@@0PAPAX@Z
+?ModuleByCID@xpcom@mozilla@@YAPBUStaticModule@12@ABUnsID@@@Z
+?Shutdown@nsComponentManagerImpl@@QAE?AW4nsresult@@XZ
+?GetSingleton@CaptivePortalService@net@mozilla@@SA?AU?$already_AddRefed@VnsICaptivePortalService@@@@XZ
+?AddRef@APZInputBridgeParent@layers@mozilla@@UAGKXZ
+?QueryInterface@CaptivePortalService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@nsExternalHelperAppService@@W3AGKXZ
+?Initialize@CaptivePortalService@net@mozilla@@QAE?AW4nsresult@@XZ
+?XRE_GetProcessType@@YA?AW4GeckoProcessType@@XZ
+?Init@nsFileStream@@UAG?AW4nsresult@@PAVnsIFile@@HHH@Z
+?ExtractScheme@nsIOService@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@@Z
+??$MoveInit@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAEXAAV0@II@Z
+??$GetPrefValue@AAPAH@Internals@mozilla@@SA?AW4nsresult@@PBDAAPAHW4PrefValueKind@1@@Z
+?Start@CaptivePortalService@net@mozilla@@QAE?AW4nsresult@@XZ
+?GetInt@Preferences@mozilla@@SA?AW4nsresult@@PBDPAHW4PrefValueKind@2@@Z
+?GetFloat@Preferences@mozilla@@SA?AW4nsresult@@PBDPAMW4PrefValueKind@2@@Z
+??$GetPrefValue@AAPAM@Internals@mozilla@@SA?AW4nsresult@@PBDAAPAMW4PrefValueKind@1@@Z
+?assign_from_helper@nsCOMPtr_base@@QAIXABVnsCOMPtr_helper@@ABUnsID@@@Z
+??RnsCreateInstanceByContractID@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NS_NewTimer@@YA?AU?$already_AddRefed@VnsITimer@@@@XZ
+NS_CreateBackgroundTaskQueue
+?NS_GetCurrentThread@@YA?AW4nsresult@@PAPAVnsIThread@@@Z
+?EventTarget@nsThread@@UAGPAVnsIEventTarget@@XZ
+?NS_NewTimerWithCallback@@YA?AV?$Result@V?$nsCOMPtr@VnsITimer@@@@W4nsresult@@@mozilla@@PAVnsITimerCallback@@IIPAVnsIEventTarget@@@Z
+?InitHighResolutionWithCallback@nsTimerImpl@@QAE?AW4nsresult@@PAVnsITimerCallback@@ABV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@I@Z
+?Shutdown@nsTimerImpl@@SAXXZ
+?NS_NewNamedThread@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIThread@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?NewNamedThread@nsThreadManager@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@IPAPAVnsIThread@@@Z
+?Init@nsThread@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+??0ThreadEventQueue@mozilla@@QAE@V?$UniquePtr@VEventQueue@mozilla@@V?$DefaultDelete@VEventQueue@mozilla@@@2@@1@_N@Z
+?GetEvent@?$EventQueueInternal@$0BA@@detail@mozilla@@QAE?AU?$already_AddRefed@VnsIRunnable@@@@ABV?$BaseAutoLock@AAVMutex@mozilla@@@23@PAV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@3@@Z
+?HashKey@nsCommandParams@@KAIPBX@Z
+?NodeWillBeDestroyed@ChromeObserver@dom@mozilla@@UAEXPBVnsINode@@@Z
+?Run@MessageLoop@@QAEXXZ
+?Run@MessagePumpForNonMainThreads@ipc@mozilla@@UAEXPAVDelegate@MessagePump@base@@@Z
+?NS_NewTimer@@YA?AU?$already_AddRefed@VnsITimer@@@@PAVnsIEventTarget@@@Z
+?ProcessNextEvent@nsThread@@UAG?AW4nsresult@@_NPA_N@Z
+?NS_SetCurrentThreadName@@YAXPBD@Z
+?PopEventQueue@ThreadEventQueue@mozilla@@UAEXPAVnsIEventTarget@@@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@I@@@@KAIPBX@Z
+?s_InitEntry@?$nsTHashtable@VnsCStringHashKey@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+??0Run@?$LogTaskBase@VnsIRunnable@@@mozilla@@QAE@PAVnsIRunnable@@_N@Z
+?GetPerformanceCounter@nsThread@@UBEPAVPerformanceCounter@mozilla@@PAVnsIRunnable@@@Z
+?SetIsPaused@ThrottledEventQueue@mozilla@@QAE?AW4nsresult@@_N@Z
+?RunnableWillRun@PerformanceCounterState@mozilla@@QAE?AVSnapshot@12@PAVPerformanceCounter@2@VTimeStamp@2@_N@Z
+?Release@CancelableIdleRunnable@mozilla@@UAGKXZ
+??0nsNotifyAddrListener@@QAE@XZ
+?Init@nsNotifyAddrListener@@QAE?AW4nsresult@@XZ
+?Count@?$EventQueueInternal@$0BA@@detail@mozilla@@QBEIABV?$BaseAutoLock@AAVMutex@mozilla@@@23@@Z
+??_GTransportProviderParent@net@mozilla@@EAEPAXI@Z
+?Release@nsBaseAppShell@@UAGKXZ
+??1?$nsTArray_Impl@V?$function@$$A6AXXZ@std@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetCurrentThread@nsThreadManager@@UAG?AW4nsresult@@PAPAVnsIThread@@@Z
+?SetRunningEventDelay@nsThread@@UAG?AW4nsresult@@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@VTimeStamp@4@@Z
+??0nsSocketTransportService@net@mozilla@@QAE@XZ
+?DiscoverMaxCount@nsSocketTransportService@net@mozilla@@SA?AW4PRStatus@@XZ
+?Init@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@XZ
+?GetElement@ContentPermissionRequestBase@dom@mozilla@@UAG?AW4nsresult@@PAPAVElement@23@@Z
+?IsOnCurrentThreadInfallible@nsSocketTransportService@net@mozilla@@UAG_NXZ
+?CreateTransport@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTArray@V?$nsTString@D@@@@ABV?$nsTSubstring@D@@HPAVnsIProxyInfo@@PAPAVnsISocketTransport@@@Z
+?Dispatch@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+??0?$TTokenizer@D@mozilla@@QAE@ABV?$nsTSubstring@D@@PBD1@Z
+?SkipWhites@?$TTokenizer@D@mozilla@@QAEXW4WhiteSkipping@12@@Z
+?CheckWhite@?$TTokenizer@D@mozilla@@QAE_NXZ
+?EndOfFile@Token@?$TokenizerBase@D@mozilla@@SA?AV123@XZ
+?QueryInterface@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsSocketTransportService@net@mozilla@@UAGKXZ
+?QueryInterface@nsIOService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@nsIOService@net@mozilla@@UAGKXZ
+?Release@nsIOService@net@mozilla@@UAGKXZ
+?InitStaticMembers@Preferences@mozilla@@CA_NXZ
+?GetBool@Preferences@mozilla@@SA_NPBD_NW4PrefValueKind@2@@Z
+??0OriginAttributesDictionary@dom@mozilla@@QAE@XZ
+?FinishInit@BasePrincipal@mozilla@@IAEXABV?$nsTSubstring@D@@ABVOriginAttributes@2@@Z
+?CreateSuffix@OriginAttributes@mozilla@@QBEXAAV?$nsTSubstring@D@@@Z
+?Serialize@URLParams@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?NS_Atomize@@YA?AU?$already_AddRefed@VnsAtom@@@@ABV?$nsTSubstring@D@@@Z
+?GetController@TaskbarPreview@widget@mozilla@@UAG?AW4nsresult@@PAPAVnsITaskbarPreviewController@@@Z
+?StartUp@ContentParent@dom@mozilla@@SAXXZ
+RegisterStrongMemoryReporter
+?QueryInterface@nsMemoryReporterManager@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@CategoryEntry@@UAGKXZ
+?Startup@BackgroundChild@ipc@mozilla@@CAXXZ
+?RecvPrioritizedOperationDone@IdleSchedulerParent@ipc@mozilla@@QAE?AVIPCResult@23@XZ
+?Startup@ClientManager@dom@mozilla@@SAXXZ
+?AddRefTable@nsCSSProps@@SAXXZ
+??0nsStaticCaseInsensitiveNameTable@@QAE@QBQBDH@Z
+?AssignLiteral@?$nsTSubstring@D@@QAIXPBDI@Z
+?StartupJSEnvironment@dom@mozilla@@YAXXZ
+?NS_HandleScriptError@@YA_NPAVnsIScriptGlobalObject@@ABUErrorEventInit@dom@mozilla@@PAW4nsEventStatus@@@Z
+?Init@nsContentUtils@@SA?AW4nsresult@@XZ
+?AddRefTable@nsHTMLTags@@SA?AW4nsresult@@XZ
+?Release@TextEditor@mozilla@@W7AGKXZ
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringCaseInsensitiveHashKey@@V?$RefPtr@VModuleRecord@mozilla@@@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?GetStaticAtom@nsAtomTable@@QAEPAVnsStaticAtom@@ABV?$nsTSubstring@_S@@@Z
+?GetInstance@nsNameSpaceManager@@SAPAV1@XZ
+?GetDeviceId@MediaDeviceInfo@dom@mozilla@@QAEXAAV?$nsTString@_S@@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsRefPtrHashKey@VnsAtom@@@@V?$RefPtr@VnsAtom@@@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?AddRef@nsXPConnect@@UAGKXZ
+?CreateWithoutOriginAttributes@NullPrincipal@mozilla@@SA?AU?$already_AddRefed@VNullPrincipal@mozilla@@@@XZ
+GkRustUtils_GenerateUUID
+_ZN4uuid2v428_$LT$impl$u20$uuid..Uuid$GT$6new_v417hb542e069a39ad3c0E
+_ZN4rand4rngs6thread10thread_rng17h05fdd70430021b6aE
+_ZN59_$LT$rand_core..os..OsRng$u20$as$u20$rand_core..RngCore$GT$14try_fill_bytes17h86ce89565f4b0163E
+_ZN9getrandom9getrandom17h45ad043fe1a6ad66E
+_ZN9c2_chacha4guts10read_u32le17h51396d6f63ff71efE
+_ZN68_$LT$rand..rngs..thread..ThreadRng$u20$as$u20$rand_core..RngCore$GT$10fill_bytes17h7dafa63225301139E
+new_bits_service
+_ZN9rand_core5impls19fill_via_u32_chunks17ha359117f4a1ddf07E
+_ZN56_$LT$nsstring..nsCString$u20$as$u20$core..fmt..Write$GT$9write_str17hdafa26b7bfa75c20E
+?Append@?$nsTSubstring@D@@QAE_NABV1@ABUnothrow_t@std@@@Z
+Gecko_FinalizeCString
+new_sfv_service
+_ZN68_$LT$uuid..adapter..HyphenatedRef$u20$as$u20$core..fmt..LowerHex$GT$3fmt17h4575d956a8cbb5eaE
+_ZN4uuid6parser28_$LT$impl$u20$uuid..Uuid$GT$9parse_str17hef8066f10442e30fE
+?Write@NullPrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIObjectOutputStream@@@Z
+?DetermineOffsetFromReference@?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@ABEXXZ
+?DispatchTrustedEvent@nsContentUtils@@SA?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsISupports@@ABV?$nsTSubstring@_S@@W4CanBubble@5@W4Cancelable@5@W4Composed@5@PA_N@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@PAUMiscContainer@@@@@@KAIPBX@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@V?$UniquePtr@URawServoSelectorList@@V?$DefaultDelete@URawServoSelectorList@@@mozilla@@@mozilla@@@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?GetOrCreate@nsRFPService@mozilla@@SAPAV12@XZ
+?OnComplete@LoginReputationParent@dom@mozilla@@UAG?AW4nsresult@@W44@I@Z
+?GetSpoofedPresentedFrames@nsRFPService@mozilla@@SAINII@Z
+?Release@nsUUIDGenerator@@UAGKXZ
+??0AutoSuppressEventHandlingAndSuspend@dom@mozilla@@QAE@PAVBrowsingContextGroup@12@@Z
+?NS_DispatchToCurrentThreadQueue@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@W4EventQueuePriority@mozilla@@@Z
+?DispatchToQueue@nsThread@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@W4EventQueuePriority@mozilla@@@Z
+?_Erase@?$_Tree@V?$_Tset_traits@V?$RefPtr@VTask@mozilla@@@@UPriorityCompare@Task@mozilla@@V?$allocator@V?$RefPtr@VTask@mozilla@@@@@std@@$0A@@std@@@std@@IAEXPAU?$_Tree_node@V?$RefPtr@VTask@mozilla@@@@PAX@2@@Z
+?Release@FinalizationWitnessService@mozilla@@UAGKXZ
+?Init@nsTextFragment@@SA?AW4nsresult@@XZ
+?Initialize@SharedFontList@mozilla@@SAXXZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@UFontFamilyName@mozilla@@@?$nsTArray_Impl@UFontFamilyName@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAUFontFamilyName@mozilla@@PBU12@I@Z
+??0LangGroupFontPrefs@mozilla@@QAE@XZ
+??0nsFont@@QAE@W4StyleGenericFontFamily@mozilla@@UStyleCSSPixelLength@2@@Z
+?GetService@nsLanguageAtomService@@SAPAV1@XZ
+?Init@ImageLoader@css@mozilla@@SAXXZ
+?Initialize@nsHTMLDNSPrefetch@@SA?AW4nsresult@@XZ
+??RGetServiceHelper@xpcom@mozilla@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetService@nsComponentManagerImpl@@QAE?AW4nsresult@@W4ModuleID@xpcom@mozilla@@ABUnsID@@PAPAX@Z
+?Init@BrowsingContext@dom@mozilla@@SAXXZ
+??0nsDocLoader@@QAE@XZ
+?Clear@PLDHashTable@@QAEXXZ
+?AddRef@nsDocLoader@@UAGKXZ
+NS_CycleCollectorSuspect3
+?Init@nsDocLoader@@UAE?AW4nsresult@@XZ
+?NS_NewLoadGroup@@YA?AW4nsresult@@PAPAVnsILoadGroup@@PAVnsIRequestObserver@@@Z
+?nsLoadGroupConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??0nsLoadGroup@net@mozilla@@QAE@XZ
+?AddRef@MulticastDNSDeviceProvider@presentation@dom@mozilla@@UAGKXZ
+?Init@nsLoadGroup@net@mozilla@@QAE?AW4nsresult@@XZ
+?GetOrCreate@RequestContextService@net@mozilla@@SA?AU?$already_AddRefed@VnsIRequestContextService@@@@XZ
+?QueryInterface@nsXULAppInfo@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetProcessID@nsXULAppInfo@@UAG?AW4nsresult@@PAI@Z
+?GetOrCreate@RedirectChannelRegistrar@net@mozilla@@SA?AU?$already_AddRefed@VnsIRedirectChannelRegistrar@@@@XZ
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint64HashKey@@PAVCompositableClient@layers@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?QueryInterface@nsLoadGroup@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AsyncRead@nsInputStreamPump@@UAG?AW4nsresult@@PAVnsIStreamListener@@@Z
+?GetLength@xpcAccTextChangeEvent@@UAG?AW4nsresult@@PAI@Z
+?QueryInterface@nsDocLoader@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsDocLoader@@UAGKXZ
+?AddProgressListener@nsDocLoader@@UAG?AW4nsresult@@PAVnsIWebProgressListener@@I@Z
+?LinkDestroyed@nsHTMLDNSPrefetch@@SAXPAVLink@dom@mozilla@@@Z
+?Initialize@PopupBlocker@dom@mozilla@@SAXXZ
+?Startup@txMozillaXSLTProcessor@@SA?AW4nsresult@@XZ
+?init@txHandlerTable@@SA_NXZ
+?isStripSpaceAllowed@txStylesheet@@QAE?AW4nsresult@@ABVtxXPathNode@@PAVtxIMatchContext@@AA_N@Z
+?addItem@txExpandedNameMap_base@@IAE?AW4nsresult@@ABVtxExpandedName@@PAX@Z
+?TX_InitEXSLTFunction@@YA_NXZ
+?RegisterNameSpace@nsNameSpaceManager@@UAE?AW4nsresult@@ABV?$nsTSubstring@_S@@AAH@Z
+?NS_Atomize@@YA?AU?$already_AddRefed@VnsAtom@@@@ABV?$nsTSubstring@_S@@@Z
+?Init@StorageObserver@dom@mozilla@@SA?AW4nsresult@@XZ
+?Unregister@StorageNotifierService@dom@mozilla@@QAEXPAVStorageNotificationObserver@23@@Z
+?RegisterCallbackAndCall@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZABV?$nsTSubstring@D@@1W4MatchKind@12@@Z
+?Init@nsCCUncollectableMarker@@SA?AW4nsresult@@XZ
+?Init@nsXULPopupManager@@SA?AW4nsresult@@XZ
+?Init@nsFocusManager@@SA?AW4nsresult@@XZ
+?ShouldProcess@nsDataDocumentContentPolicy@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?Init@DecoderDoctorLogger@mozilla@@SAXXZ
+?StartupInit@MediaManager@mozilla@@SAXXZ
+?InitLibrary@CubebUtils@mozilla@@YAXXZ
+?RegisterCallbacksAndCall@Preferences@mozilla@@SA?AW4nsresult@@P6AXPBDPAX@ZPAPBD1@Z
+?Init@AudioNotificationSender@audio@mozilla@@SA?AW4nsresult@@XZ
+?HasUserValue@Preferences@mozilla@@SA_NPBD@Z
+?GetUint@Preferences@mozilla@@SAIPBDIW4PrefValueKind@2@@Z
+?InitializeStatics@nsHtml5Module@@SAXXZ
+?RegisterPrefChangeCallbacks@nsComputedDOMStyle@@SAXXZ
+?InitializeStatics@PointerEventHandler@mozilla@@SAXXZ
+?Init@nsWindowMemoryReporter@@SAXXZ
+?Max@nsViewportInfo@@SAABMABM0@Z
+?RegisterNonJSSizeOfTab@mozilla@@YA?AW4nsresult@@P6A?AW42@PAVnsPIDOMWindowOuter@@PAI11@Z@Z
+?RegisterGhostWindowsDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?Init@SVGElementFactory@dom@mozilla@@SAXXZ
+?FromMessagesToSharedParent@SharedMessageBody@dom@mozilla@@SA_NAAV?$nsTArray@VMessageData@dom@mozilla@@@@AAV?$FallibleTArray@V?$RefPtr@VSharedMessageBody@dom@mozilla@@@@@@W4TransferringSupport@StructuredCloneHolder@23@@Z
+?Get@LogModule@mozilla@@SAPAV12@PBD@Z
+?SetProcessPriority@hal_impl@mozilla@@YAXHW4ProcessPriority@hal@2@@Z
+?GetHalLog@hal@mozilla@@YAPAVLogModule@2@XZ
+?Startup@PermissionManager@mozilla@@SAXXZ
+?GetXPCOMSingleton@PermissionManager@mozilla@@SA?AU?$already_AddRefed@VnsIPermissionManager@@@@XZ
+?QueryInterface@PermissionManager@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@PermissionManager@mozilla@@UAGKXZ
+?Initialize@UIDirectionManager@dom@mozilla@@SAXXZ
+?Init@CacheObserver@net@mozilla@@SA?AW4nsresult@@XZ
+?DrainDirectTasks@nsThread@@UAG?AW4nsresult@@XZ
+?HasPendingEvent@ThreadEventQueue@mozilla@@UAE_NXZ
+?SizeOfIncludingThis@CacheIndex@net@mozilla@@SAIP6AIPBX@Z@Z
+?Initialize@ServiceWorkerRegistrar@dom@mozilla@@SAXXZ
+?InitStatics@MediaDecoder@mozilla@@SAXXZ
+?Init@PromiseDebugging@dom@mozilla@@SAXXZ
+?InitializeServo@mozilla@@YAXXZ
+?Init@URLExtraData@mozilla@@SAXXZ
+??0NullPrincipalURI@mozilla@@QAE@XZ
+??0ReferrerInfo@dom@mozilla@@QAE@PAVnsIURI@@W4ReferrerPolicy@12@_NABV?$Maybe@V?$nsTString@D@@@2@@Z
+?GetBaseURI@nsInputStreamChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+_ZN5style12thread_state10initialize17hf0949c997e91aca6E
+?QueryInterface@UACacheReporter@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Initialize@RemoteLazyInputStreamStorage@mozilla@@SAXXZ
+?Release@RemoteLazyInputStreamStorage@mozilla@@UAGKXZ
+?Initialize@U2FTokenManager@dom@mozilla@@SAXXZ
+?GetClientExtensionResults@PublicKeyCredential@dom@mozilla@@QAEXAAUAuthenticationExtensionsClientOutputs@23@@Z
+??0?$Maybe_CopyMove_Enabler@V?$nsTArray@E@@$0A@$0A@$00@detail@mozilla@@QAE@$$QAV012@@Z
+?AddStrongObserver@Preferences@mozilla@@SA?AW4nsresult@@PAVnsIObserver@@ABV?$nsTSubstring@D@@@Z
+?AddObserverImpl@nsPrefBranch@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIObserver@@_N@Z
+?GetCharPref@Preferences@mozilla@@UAG?AW4nsresult@@PBDAAV?$nsTSubstring@D@@@Z
+?Initialize@WinWebAuthnManager@dom@mozilla@@SAXXZ
+?Initialize@RemoteWorkerService@dom@mozilla@@SAXXZ
+?Thread@RemoteWorkerService@dom@mozilla@@SAPAVnsIThread@@XZ
+?RecvClose@RemoteWorkerParent@dom@mozilla@@AAE?AVIPCResult@ipc@3@XZ
+?InitializeShutdownObserver@nsThreadManager@@SAXXZ
+?Start@Fuzzyfox@mozilla@@SAXXZ
+?AddObserverImpl@Preferences@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIObserver@@_N@Z
+?Release@Runnable@SchedulerGroup@mozilla@@UAGKXZ
+?LabeledDispatch@SchedulerGroup@mozilla@@KA?AW4nsresult@@W4TaskCategory@2@$$QAU?$already_AddRefed@VnsIRunnable@@@@PAVDocGroup@dom@2@@Z
+?Initialize@ClearSiteData@mozilla@@SAXXZ
+?Initialize@ReportingHeader@dom@mozilla@@SAXXZ
+?HasReportingHeaderForOrigin@ReportingHeader@dom@mozilla@@SA_NABV?$nsTSubstring@D@@@Z
+?InitializeQuotaManager@quota@dom@mozilla@@YAXXZ
+?getSingleton@Service@storage@mozilla@@SA?AU?$already_AddRefed@VService@storage@mozilla@@@@XZ
+?ConstructTelemetryVFS@storage@mozilla@@YA?AV?$UniquePtr@Usqlite3_vfs@@V?$DefaultDelete@Usqlite3_vfs@@@mozilla@@@2@_N@Z
+?GetTelemetryVFSName@storage@mozilla@@YAPBD_N@Z
+?ConstructObfuscatingVFS@storage@mozilla@@YA?AV?$UniquePtr@Usqlite3_vfs@@V?$DefaultDelete@Usqlite3_vfs@@@mozilla@@@2@PBD@Z
+?RegisterStorageSQLiteDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?registerFunctions@storage@mozilla@@YAHPAUsqlite3@@@Z
+?PersistenceTypeToString@quota@dom@mozilla@@YA?AV?$nsTLiteralString@D@@W4PersistenceType@123@@Z
+?InitializeLocalStorage@dom@mozilla@@YAXXZ
+?GetInt@Preferences@mozilla@@SAHPBDHW4PrefValueKind@2@@Z
+?Startup@ThirdPartyUtil@@SAXXZ
+?Init@ThirdPartyUtil@@QAE?AW4nsresult@@XZ
+?GetInstance@nsEffectiveTLDService@@SAPAV1@XZ
+??0nsEffectiveTLDService@@QAE@XZ
+?Init@nsEffectiveTLDService@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsIDNService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@JumpListLink@widget@mozilla@@UAGKXZ
+?Release@nsEffectiveTLDService@@UAGKXZ
+?Release@ThirdPartyUtil@@UAGKXZ
+?Init@FileLocation@mozilla@@QAEXPAVnsIFile@@@Z
+?Read@URLPreloader@mozilla@@SA?AV?$Result@V?$nsTString@D@@W4nsresult@@@2@AAVFileLocation@2@W4ReadType@12@@Z
+?GetBaseFile@FileLocation@mozilla@@QAE?AU?$already_AddRefed@VnsIFile@@@@XZ
+??0FileLocation@mozilla@@QAE@ABV01@@Z
+?SessionHistoryInParent@mozilla@@YA_NXZ
+?GetOS@nsXULAppInfo@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?Replace@?$nsTSubstring@_S@@QAIXII_S@Z
+?vssprintf@nsTextFormatter@@CAXAAV?$nsTSubstring@_S@@PB_SV?$Span@UBoxedValue@nsTextFormatter@@$0PPPPPPPP@@mozilla@@@Z
+?strtok@nsCRT@@SAPADPADPBDPAPAD@Z
+??0FileLocation@mozilla@@QAE@ABV01@PBD@Z
+?FindInReadable@@YA_NABV?$nsTSubstring@_S@@AAV?$nsReadingIterator@_S@@1P6AHPB_S2II@Z@Z
+??$nsTDefaultStringComparator@_S@@YAHPB_S0II@Z
+XPCOMService_GetChromeRegistry
+?GetSingleton@nsChromeRegistry@@SA?AU?$already_AddRefed@VnsChromeRegistry@@@@XZ
+?GetInSafeMode@nsXULAppInfo@@UAG?AW4nsresult@@PA_N@Z
+??_9nsIStandardURLMutator@@$BM@AG
+?GetURIString@FileLocation@mozilla@@QBEXAAV?$nsTSubstring@D@@@Z
+?net_GetURLSpecFromActualFile@@YA?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?NS_EscapeURL@@YA_NPBDHIAAV?$nsTSubstring@D@@@Z
+?nsAppendEscapedHTML@@YAXABV?$nsTSubstring@D@@AAV1@@Z
+?ReplaceSubstring@?$nsTString@D@@QAEXPBD0@Z
+?ReplaceSubstring@?$nsTString@D@@QAEXABV1@0@Z
+?NS_NewURI@@YA?AW4nsresult@@PAPAVnsIURI@@ABV?$nsTSubstring@D@@PBDPAV2@@Z
+?net_ExtractURLScheme@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV2@@Z
+?net_NormalizeFileURL@@YA_NABV?$nsTSubstring@D@@AAV?$nsTString@D@@@Z
+?AddRef@APZInputBridgeChild@layers@mozilla@@UAGKXZ
+?QueryInterface@Mutator@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?MarkFileURL@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@XZ
+??$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z
+?_Do_call@?$_Func_impl_no_alloc@V<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@W45@PAV8@@std@@EAE?AW4nsresult@@$$QAPAVnsIURIMutator@@@Z
+?Init@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@Z
+??0nsStandardURL@net@mozilla@@IAE@_N0@Z
+?Init@nsStandardURL@net@mozilla@@AAE?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@@Z
+?SetSpecWithEncoding@nsStandardURL@net@mozilla@@AAE?AW4nsresult@@ABV?$nsTSubstring@D@@PBVEncoding@3@@Z
+?net_FilterURIString@@YAXABV?$nsTSubstring@D@@AAV1@@Z
+?ParseURL@nsBaseURLParser@@UAG?AW4nsresult@@PBDHPAIPAH1212@Z
+?ParseAfterScheme@nsNoAuthURLParser@@UAEXPBDHPAIPAH12@Z
+?ParsePath@nsBaseURLParser@@UAG?AW4nsresult@@PBDHPAIPAH1212@Z
+?ParseFilePath@nsNoAuthURLParser@@UAG?AW4nsresult@@PBDHPAIPAH1212@Z
+?ParseFilePath@nsBaseURLParser@@UAG?AW4nsresult@@PBDHPAIPAH1212@Z
+?NS_EscapeURLSpan@@YA_NV?$Span@$$CBD$0PPPPPPPP@@mozilla@@IAAV?$nsTSubstring@D@@@Z
+?net_CoalesceDirs@@YAXW4netCoalesceFlags@@PAD@Z
+?Finalize@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?_Delete_this@?$_Func_impl_no_alloc@V<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTAutoStringN@D$0EA@@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@W45@PAV8@@std@@EAEX_N@Z
+?Release@Mutator@nsStandardURL@net@mozilla@@UAGKXZ
+?NS_NewURI@@YA?AW4nsresult@@PAPAVnsIURI@@PBDPAV2@@Z
+?GetScheme@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AddRef@nsStandardURL@net@mozilla@@UAGKXZ
+?Release@nsStandardURL@net@mozilla@@UAGKXZ
+?net_IsAbsoluteURL@@YA_NABV?$nsTSubstring@D@@@Z
+?Resolve@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@@Z
+?Adopt@?$nsTSubstring@D@@QAIXPADI@Z
+?NS_URIChainHasFlags@@YA?AW4nsresult@@PAVnsIURI@@IPA_N@Z
+?ParseResponseContentType@nsIOService@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@PA_N1@Z
+?QueryInterface@nsFileProtocolHandler@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsFileProtocolHandler@@UAGKXZ
+?GetProtocolFlags@nsFileProtocolHandler@@UAG?AW4nsresult@@PAI@Z
+??$?0ABV<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@X@?$_Func_impl_no_alloc@V<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@W45@PAV8@@std@@QAE@ABV<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@1@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@@Z
+?GetInstance@LocaleService@intl@mozilla@@SAPAV123@XZ
+?AddWeakObservers@Preferences@mozilla@@SA?AW4nsresult@@PAVnsIObserver@@PAPBD@Z
+?NS_GetWeakReference@@YAPAVnsIWeakReference@@PAVnsISupportsWeakReference@@PAW4nsresult@@@Z
+?Release@LocaleService@intl@mozilla@@UAGKXZ
+?GetAppLocaleAsBCP47@LocaleService@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@LocaleService@intl@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetLanguage@Locale@intl@mozilla@@QBE?BV?$nsTDependentSubstring@D@@XZ
+?OpenANSIFileDesc@nsLocalFile@@UAG?AW4nsresult@@PBDPAPAU_iobuf@@@Z
+?Trim@?$nsTString@D@@QAEXPBD_N11@Z
+unic_langid_canonicalize
+_ZN16unic_langid_impl18LanguageIdentifier10from_bytes17h6ff54995d30f97beE
+_ZN77_$LT$fluent_syntax..parser..errors..ErrorKind$u20$as$u20$core..fmt..Debug$GT$3fmt17hf7c2b7b1da8a8f45E
+_ZN83_$LT$tinystr..tinystr8..TinyStr8$u20$as$u20$core..cmp..PartialEq$LT$$RF$str$GT$$GT$2eq17hdf837df677775955E
+new_remote_agent_handler
+_ZN75_$LT$unic_langid_impl..LanguageIdentifier$u20$as$u20$core..fmt..Display$GT$3fmt17hc94f03b243ef273aE
+fluent_langneg_negotiate_languages
+_ZN65_$LT$alloc..string..String$u20$as$u20$nsstring..nsCStringLike$GT$5adapt17h02cc6c68e4180910E
+?Assign@?$nsTSubstring@D@@QAI_NABV1@ABUnothrow_t@std@@@Z
+?GetWebExposedLocales@LocaleService@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@V?$nsTString@D@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEXPBV?$nsTString@D@@I@Z
+?GetRequestedLocales@LocaleService@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?NegotiateLanguages@LocaleService@intl@mozilla@@UAG?AW4nsresult@@ABV?$nsTArray@V?$nsTString@D@@@@0ABV?$nsTSubstring@D@@HAAV5@@Z
+_ZN15unic_langid_ffi22new_langid_for_mozilla17h460b0c25ad7bf456E
+_ZN91_$LT$nsstring..nsCString$u20$as$u20$core..convert..From$LT$$RF$nsstring..nsACString$GT$$GT$4from17he771c95a7317fd91E
+fluent_resource_new
+_ZN16unic_langid_impl18LanguageIdentifier8maximize17h706239f2e07b12c3E
+_ZN16unic_langid_impl18LanguageIdentifier14clear_variants17h2047e6c7820d37e6E
+_ZN60_$LT$nsstring..nsCString$u20$as$u20$core..cmp..PartialEq$GT$2eq17h4ef0b1a95bbbcabaE
+_ZN58_$LT$nsstring..nsCString$u20$as$u20$core..clone..Clone$GT$5clone17ha73c52194238b4faE
+?GetAsciiSpec@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+??0ChromeRegistryItem@@QAE@ABUChromePackage@@@Z
+?GetAll@ContentParent@dom@mozilla@@SAXAAV?$nsTArray@PAVContentParent@dom@mozilla@@@@@Z
+?MaybeDestroy@ChromeRegistryItem@@AAE_NW4Type@1@@Z
+?Release@Tickler@net@mozilla@@UAGKXZ
+XPCOMService_GetIOService
+?GetSingleton@nsResProtocolHandler@@SA?AU?$already_AddRefed@VnsResProtocolHandler@@@@XZ
+?do_GetIOService@@YA?AU?$already_AddRefed@VnsIIOService@@@@PAW4nsresult@@@Z
+?GetURIString@Omnijar@mozilla@@SA?AW4nsresult@@W4Type@12@AAV?$nsTSubstring@D@@@Z
+?NS_GetURLSpecFromActualFile@@YA?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@PAVnsIIOService@@@Z
+?GetURLSpecFromActualFile@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsResProtocolHandler@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsResProtocolHandler@@UAGKXZ
+?SetSubstitutionWithFlags@nsResProtocolHandler@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIURI@@I@Z
+?SetSubstitutionWithFlags@SubstitutingProtocolHandler@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIURI@@I@Z
+?ToLowerCase@@YAXABV?$nsTSubstring@D@@AAV1@@Z
+?AssertIsDead@?$MozPromise@V?$CopyableTArray@_N@@W4nsresult@@$0A@@mozilla@@UAEXXZ
+?QueryInterface@SubstitutingJARURI@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CreateNewURI@nsChromeProtocolHandler@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV4@@Z
+??$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z
+?_Do_call@?$_Func_impl_no_alloc@V<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@W45@PAV8@@std@@EAE?AW4nsresult@@$$QAPAVnsIURIMutator@@@Z
+?ParseAfterScheme@nsStdURLParser@@UAEXPBDHPAIPAH12@Z
+?ParseAuthority@nsAuthURLParser@@UAG?AW4nsresult@@PBDHPAIPAH12122@Z
+?NS_UnescapeURL@@YA_NPBDHIAAV?$nsTSubstring@D@@@Z
+?_Delete_this@?$_Func_impl_no_alloc@V<lambda_1>@?0???$NS_MutatorMethod@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@PBDV?$nsCOMPtr@VnsIURI@@@@$$T@@YA?BV?$function@$$A6A?AW4nsresult@@PAVnsIURIMutator@@@Z@std@@P8nsIStandardURLMutator@@AG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@ZW4<unnamed-enum-URLTYPE_STANDARD>@nsIStandardURL@@HV?$nsTString@D@@1V?$nsCOMPtr@VnsIURI@@@@$$T@Z@W45@PAV8@@std@@EAEX_N@Z
+?GetPathQueryRef@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+nsUnescapeCount
+?FindChar@?$nsTStringRepr@D@detail@mozilla@@QBIHDI@Z
+?Release@nsChromeProtocolHandler@@UAGKXZ
+?QueryInterface@nsChromeProtocolHandler@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetProtocolFlags@nsChromeProtocolHandler@@UAG?AW4nsresult@@PAI@Z
+?s_HashKey@?$nsTHashtable@VnsURIHashKey@@@@KAIPBX@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsISupportsHashKey@@V?$UniquePtr@V?$nsTArray@V?$nsTString@_S@@@@V?$DefaultDelete@V?$nsTArray@V?$nsTString@_S@@@@@mozilla@@@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+??0ChromeRegistryItem@@QAE@ABUOverrideMapping@@@Z
+?NewURI@SubstitutingProtocolHandler@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV6@@Z
+?SetCapacity@?$nsTSubstring@D@@QAIXI@Z
+?QueryInterface@Mutator@SubstitutingURL@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Init@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@IHABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAVnsIURIMutator@@@Z
+?Create@?$BaseURIMutator@VSubstitutingURL@net@mozilla@@@@MAEPAVSubstitutingURL@net@mozilla@@XZ
+?Release@Mutator@SubstitutingURL@net@mozilla@@UAGKXZ
+?Release@SubstitutingURL@net@mozilla@@UAGKXZ
+?QueryInterface@SubstitutingURL@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??_GMutator@SubstitutingURL@net@mozilla@@EAEPAXI@Z
+?GetHost@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsResProtocolHandler@@WEA@AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetProtocolFlags@nsResProtocolHandler@@UAG?AW4nsresult@@PAI@Z
+?ResolveURI@SubstitutingProtocolHandler@net@mozilla@@QAE?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetAsciiHost@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetFilePath@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?NewURI@nsIOService@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV6@@Z
+??_GSubstitutingURL@net@mozilla@@EAEPAXI@Z
+??1nsStandardURL@net@mozilla@@MAE@XZ
+?Parse@nsID@@QAE_NPBD@Z
+?Rebind@?$nsTDependentString@D@@QAEXABV?$nsTString@D@@I@Z
+?InvalidateContractID@StaticComponents@xpcom@mozilla@@SA_NABV?$nsTSubstring@D@@_N@Z
+?StringEndsWith@@YA_NABV?$nsTSubstring@D@@0@Z
+?Replace@?$nsTSubstring@D@@QAIXIID@Z
+?RegisterPrefWatcher@LogModulePrefWatcher@mozilla@@SAXXZ
+?CheckChar@?$TTokenizer@D@mozilla@@QAE_ND@Z
+?Unlock@Preferences@mozilla@@SA?AW4nsresult@@PBD@Z
+?RegisterCategoryProviders@nsDirectoryService@@QAEXXZ
+?GetType@nsProxyInfo@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?InitStatics@SharedThreadPool@mozilla@@SAXXZ
+?InitSingleton@StartupCache@scache@mozilla@@CA?AW4nsresult@@XZ
+?DeleteSingleton@StartupCache@scache@mozilla@@SAXXZ
+?GetSingleton@nsJARProtocolHandler@@SA?AU?$already_AddRefed@VnsJARProtocolHandler@@@@XZ
+??RnsCreateInstanceByCID@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsZipReaderCache@@QAE@XZ
+?AddRef@DecryptingInputStreamBase@quota@dom@mozilla@@UAGKXZ
+?QueryInterface@nsZipReaderCache@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@DocManager@a11y@mozilla@@UAGKXZ
+??1?$nsTArray_Impl@V?$UniquePtr@VToken@?$TokenizerBase@_S@mozilla@@V?$DefaultDelete@VToken@?$TokenizerBase@_S@mozilla@@@3@@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?Release@nsJARProtocolHandler@@UAGKXZ
+?init@AutoMemMap@loader@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@3@PAVnsIFile@@HHW4PRFileMapProtect@@@Z
+?CanPrefetchMemory@mozilla@@YA_NXZ
+??BAutoJSContext@mozilla@@QBEPAUJSContext@@XZ
+?InvalidateCache@StartupCache@scache@mozilla@@QAEX_N@Z
+?NewBufferFromStorageStream@scache@mozilla@@YA?AW4nsresult@@PAVnsIStorageStream@@PAV?$UniquePtr@$$BY0A@DV?$DefaultDelete@$$BY0A@D@mozilla@@@2@PAI@Z
+??0?$nsTString@D@@QAE@XZ
+?codeString@InputBuffer@loader@mozilla@@QAE_NAAV?$nsTString@D@@@Z
+??1?$nsTSubstring@D@@QAE@XZ
+?Marker@RtpPacket@webrtc@@QBE_NXZ
+?Reset@TimestampScaler@webrtc@@UAEXXZ
+?Release@DNSResolverInfo@net@mozilla@@UAGKXZ
+?Init@AvailableMemoryTracker@mozilla@@YAXXZ
+?RegisterLowMemoryEventsVirtualDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterLowMemoryEventsCommitSpaceDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?CreateAnonTempFileRemover@@YA?AW4nsresult@@XZ
+?NS_NewTimerWithObserver@@YA?AV?$Result@V?$nsCOMPtr@VnsITimer@@@@W4nsresult@@@mozilla@@PAVnsIObserver@@IIPAVnsIEventTarget@@@Z
+?NS_NewTimerWithObserver@@YA?AW4nsresult@@PAPAVnsITimer@@PAVnsIObserver@@IIPAVnsIEventTarget@@@Z
+?Init@nsTimerImpl@@QAE?AW4nsresult@@PAVnsIObserver@@II@Z
+?Init@Telemetry@mozilla@@YAXXZ
+??$mozCreateComponent@VnsITelemetry@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?InitializeGlobalState@TelemetryHistogram@@YAX_N0@Z
+?InitializeGlobalState@TelemetryScalar@@YAX_N0@Z
+?GetAllStores@TelemetryScalar@@YA?AW4nsresult@@AAV?$nsTHashtable@VnsCStringHashKey@@@@@Z
+?FinishPrintPreview@nsPrintJob@@QAE?AW4nsresult@@XZ
+?ClearOrigins@TelemetryOrigin@@YAXXZ
+?Cols@Grid@dom@mozilla@@QBEPAVGridDimension@23@XZ
+?InitializeGlobalState@TelemetryEvent@@YAX_N0@Z
+?IsExpiredVersion@Common@Telemetry@mozilla@@YA_NPBD@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@V?$CopyableTArray@V?$nsTString@D@@@@@@@@KAIPBX@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@H@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?InitializeGlobalState@TelemetryOrigin@@YAXXZ
+?PrefetchMemory@mozilla@@YAXPAEI@Z
+?UnregisterCurrentThread@IOInterposer@mozilla@@YAXXZ
+?profiler_unregister_thread@@YAXXZ
+?profiler_shutdown@@YAXW4IsFastShutdown@@@Z
+?_Destroy@?$vector@VSharedLibrary@@V?$allocator@VSharedLibrary@@@std@@@std@@AAEXPAVSharedLibrary@@0@Z
+??1ProfilingStack@@QAE@XZ
+?NS_SetMainThread@@YAXXZ
+??_GnsThread@@MAEPAXI@Z
+??1nsThread@@MAE@XZ
+?RecordOrigin@Telemetry@mozilla@@YAXW4OriginMetricID@12@ABV?$nsTSubstring@D@@@Z
+?InitializeSSLServerCertVerificationThreads@psm@mozilla@@YAXXZ
+??0PollableEvent@net@mozilla@@QAE@XZ
+??0PartiallySeekableInputStream@net@mozilla@@QAE@U?$already_AddRefed@VnsIInputStream@@@@_K@Z
+?InitHistogramRecordingEnabled@TelemetryHistogram@@YAXXZ
+?Startup@BackgroundHangMonitor@mozilla@@SAXXZ
+?GetOriginAttributesForHSTS@StoragePrincipalHelper@mozilla@@SA_NPAVnsIChannel@@AAVOriginAttributes@2@@Z
+?Init@CPUUsageWatcher@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4CPUUsageWatcherError@2@@2@XZ
+?profiler_thread_sleep@@YAXXZ
+?profiler_thread_wake@@YAXXZ
+??0BackgroundHangMonitor@mozilla@@QAE@PBDIIW4ThreadType@01@@Z
+?Initialize@JSExecutionManager@dom@mozilla@@SAXXZ
+?Get@DllServices@mozilla@@SAPAV12@XZ
+?StartUntrustedModulesProcessor@DllServices@mozilla@@QAEXXZ
+?CanRecordBase@Telemetry@mozilla@@YA_NXZ
+??0LazyIdleThread@mozilla@@QAE@IABV?$nsTSubstring@D@@W4ShutdownMethod@01@PAVnsIObserver@@@Z
+?GetCurrentSerialEventTarget@mozilla@@YAPAVnsISerialEventTarget@@XZ
+?Abort@LauncherRegistryInfo@mozilla@@QAEXXZ
+?InitProfilerMarkers@mscom@mozilla@@YAXXZ
+?XRE_IsParentProcess@@YA_NXZ
+NS_IsMainThread
+??0nsAppStartup@@QAE@XZ
+?Init@nsAppStartup@@QAE?AW4nsresult@@XZ
+?assign_from_gs_cid_with_error@nsCOMPtr_base@@QAIXABVnsGetServiceByCIDWithError@@ABUnsID@@@Z
+??RnsGetServiceByCIDWithError@@QBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?nsWidgetWindowsModuleCtor@@YA?AW4nsresult@@XZ
+?Init@nsAppShell@@QAE?AW4nsresult@@XZ
+?LSPAnnotate@crashreporter@mozilla@@YAXXZ
+?NS_DispatchBackgroundTask@@YA?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+??0nsLocalExecutionGuard@@QAE@$$QAVnsLocalExecutionRecord@@@Z
+?IsOnCurrentThreadInfallible@nsThreadPool@@UAG_NXZ
+?SetObserver@nsThread@@UAG?AW4nsresult@@PAVnsIThreadObserver@@@Z
+?CanRecordExtended@Telemetry@mozilla@@YA_NXZ
+?HasPendingEvents@nsThread@@UAG?AW4nsresult@@PA_N@Z
+?Clear@PollableEvent@net@mozilla@@QAE_NXZ
+?Accumulate@TelemetryHistogram@@YAXW4HistogramID@Telemetry@mozilla@@I@Z
+?GetHistogramSizesOfIncludingThis@TelemetryHistogram@@YAIP6AIPBX@Z@Z
+?FactoryGet@Histogram@base@@SAPAV12@HHIW4Flags@12@PBH@Z
+?SizeOfIncludingThis@Histogram@base@@QAEIP6AIPBX@Z@Z
+?AbstractMainThread@HTMLMediaElement@dom@mozilla@@UBEPAVAbstractThread@3@XZ
+?Init@hal@mozilla@@YAXXZ
+?WakeLockInit@hal@mozilla@@YAXXZ
+?Add@Histogram@base@@QAEXH@Z
+?AccumulateTimeDelta@Telemetry@mozilla@@YAXW4HistogramID@12@VTimeStamp@2@1@Z
+?HasReadyEvent@?$EventQueueInternal@$0BA@@detail@mozilla@@QAE_NABV?$BaseAutoLock@AAVMutex@mozilla@@@23@@Z
+?SynthesizeNativeKeyEvent@KeyboardLayout@widget@mozilla@@QAE?AW4nsresult@@PAVnsWindowBase@@HHIABV?$nsTSubstring@_S@@1@Z
+?Signal@PollableEvent@net@mozilla@@QAE_NXZ
+?AfterProcessNextEvent@MessagePumpForNonMainUIThreads@ipc@mozilla@@UAG?AW4nsresult@@PAVnsIThreadInternal@@_N@Z
+?RunnableDidRun@PerformanceCounterState@mozilla@@QAEX$$QAVSnapshot@12@@Z
+?DoResolveOrReject@ThenValueBase@?$MozPromise@H_N$00@mozilla@@IAEXAAVResolveOrRejectValue@23@@Z
+?GetKeepaliveProbeCount@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+?Notify@WindowHook@widget@mozilla@@AAE_NPAUHWND__@@IIJAAUMSGResult@23@@Z
+?GetSingleton@ScreenManager@widget@mozilla@@SAAAV123@XZ
+?SetHelper@ScreenManager@widget@mozilla@@QAEXV?$UniquePtr@VHelper@ScreenManager@widget@mozilla@@V?$DefaultDelete@VHelper@ScreenManager@widget@mozilla@@@4@@3@@Z
+?RefreshScreens@ScreenHelperWin@widget@mozilla@@SAXXZ
+?PresentDrawTarget@Client@remote_backbuffer@widget@mozilla@@QAE_NV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@4@@Z
+?LogToPhysFactor@WinUtils@widget@mozilla@@SANPAUHMONITOR__@@@Z
+?MonitorDPI@WinUtils@widget@mozilla@@SAMPAUHMONITOR__@@@Z
+?IsPerMonitorDPIAware@WinUtils@widget@mozilla@@SA_NXZ
+??0Screen@widget@mozilla@@QAE@U?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@2@0IIU?$ScaleFactor@UDesktopPixel@mozilla@@ULayoutDevicePixel@2@@42@U?$ScaleFactor@UCSSPixel@mozilla@@ULayoutDevicePixel@2@@42@M@Z
+??_GGfxInfo@widget@mozilla@@EAEPAXI@Z
+?Refresh@ScreenManager@widget@mozilla@@QAEX$$QAV?$nsTArray@V?$RefPtr@VScreen@widget@mozilla@@@@@@@Z
+?ToScreenDetails@Screen@widget@mozilla@@QAE?AVScreenDetails@dom@3@XZ
+?Init@nsBaseAppShell@@IAE?AW4nsresult@@XZ
+?nsAppShellConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsBaseAppShell@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0ProbeManager@probes@mozilla@@QAE@ABUnsID@@ABV?$nsTSubstring@D@@@Z
+?GetProbe@ProbeManager@probes@mozilla@@QAE?AU?$already_AddRefed@VProbe@probes@mozilla@@@@ABUnsID@@ABV?$nsTSubstring@D@@@Z
+?StartSession@ProbeManager@probes@mozilla@@IAE?AW4nsresult@@AAV?$nsTArray@V?$RefPtr@VProbe@probes@mozilla@@@@@@@Z
+?QueryInterface@nsAppStartup@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsAppStartup@@UAGKXZ
+??0nsWindowWatcher@@QAE@XZ
+?QueryInterface@nsWindowWatcher@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsBrowsingContextReadyCallback@@QAE@V?$RefPtr@VPrivate@?$MozPromise@V?$RefPtr@VBrowsingContext@dom@mozilla@@@@VCopyableErrorResult@mozilla@@$0A@@mozilla@@@@@Z
+?SetNotificationCallbacks@nsLoadGroup@net@mozilla@@UAG?AW4nsresult@@PAVnsIInterfaceRequestor@@@Z
+?GetCharPref@nsPrefBranch@@UAG?AW4nsresult@@PBDAAV?$nsTSubstring@D@@@Z
+?AnnotateCrashReport@CrashReporter@@YA?AW4nsresult@@W4Annotation@1@I@Z
+?SetIncludeContextHeap@CrashReporter@@YAX_N@Z
+?GetFullModulePath@mozilla@@YA?AV?$UniquePtr@$$BY0A@_WV?$DefaultDelete@$$BY0A@_W@mozilla@@@1@PAUHINSTANCE__@@@Z
+?GetAlteredDllPrefetchMode@DllPrefetchExperimentRegistryInfo@mozilla@@QAE?AW4AlteredDllPrefetchMode@2@XZ
+?ReflectPrefToRegistry@DllPrefetchExperimentRegistryInfo@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@2@H@Z
+?InitializeUserPrefs@nsXREDirProvider@@QAEXXZ
+?InitializeUserPrefs@Preferences@mozilla@@SAXXZ
+?ReadAheadLib@mozilla@@YAXPB_W@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??append@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV34@ID@Z@ID@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV01@IV<lambda_1>@?0??append@01@QAEAAV01@ID@Z@ID@Z
+?InitializeJSContext@xpc@@YAXXZ
+?NewXPCJSContext@XPCJSContext@@SAPAV1@XZ
+??0CycleCollectedJSContext@mozilla@@IAE@XZ
+?GetGlobalJSObject@SandboxPrivate@@UAEPAVJSObject@@XZ
+?Initialize@CycleCollectedJSContext@mozilla@@IAE?AW4nsresult@@PAUJSRuntime@@I@Z
+?JS_NewContext@@YAPAUJSContext@@IPAUJSRuntime@@@Z
+?NewContext@js@@YAPAUJSContext@@IPAUJSRuntime@@@Z
+??0JSRuntime@@QAE@PAU0@@Z
+??0OffThreadPromiseRuntimeState@js@@QAE@XZ
+??0GeckoProfilerRuntime@js@@QAE@PAUJSRuntime@@@Z
+??0LCovRuntime@coverage@js@@QAE@XZ
+??0GCRuntime@gc@js@@QAE@PAUJSRuntime@@@Z
+??0Statistics@gcstats@js@@QAE@PAVGCRuntime@gc@2@@Z
+?renderJsonMessage@Statistics@gcstats@js@@QBE?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@XZ
+??0GCMarker@js@@QAE@PAUJSRuntime@@@Z
+??0GCSchedulingTunables@gc@js@@QAE@XZ
+??0Nursery@js@@QAE@PAVGCRuntime@gc@1@@Z
+??0StoreBuffer@gc@js@@QAE@PAUJSRuntime@@ABVNursery@2@@Z
+?setCapacityForMode@MarkStack@gc@js@@QAE_NW4JSGCMode@@W4StackType@123@@Z
+?onObjectEdge@BufferGrayRootsTracer@@EAEPAVJSObject@@PAV2@@Z
+?EnsureEagerProcessSignalHandlers@wasm@js@@YAXXZ
+?ThisThreadId@ThreadId@js@@SA?AV12@XZ
+?initInstance@FutexThread@js@@QAE_NXZ
+?init@JSRuntime@@QAE_NPAUJSContext@@I@Z
+?ensureThreadCount@GlobalHelperThreadState@js@@QAE_NI@Z
+??R?$DeletePolicy@UCompilationInfo@frontend@js@@@JS@@QAEXPBUCompilationInfo@frontend@js@@@Z
+?create@Thread@js@@AAE_NP6GIPAX@Z0@Z
+?growStorageBy@?$Vector@V?$UniquePtr@VSourceCompressionTask@js@@U?$DeletePolicy@VSourceCompressionTask@js@@@JS@@@mozilla@@$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?finishModuleParseTask@GlobalHelperThreadState@js@@QAEPAVJSObject@@PAUJSContext@@PAVOffThreadToken@JS@@@Z
+?SetName@ThisThread@js@@YAXPBD@Z
+?ResetInterruptState@wasm@js@@YAXPAUJSContext@@@Z
+?init@GCRuntime@gc@js@@QAE_NI@Z
+?setParameter@GCSchedulingTunables@gc@js@@QAE_NW4JSGCParamKey@@IABVAutoLockGC@3@@Z
+?init@Nursery@js@@QAE_NAAVAutoLockGCBgAlloc@2@@Z
+?enable@StoreBuffer@gc@js@@QAE_NXZ
+?AllocateMappedContent@gc@js@@YAPAXHIII@Z
+?rehashTableInPlace@?$HashTable@$$CBVAtomStateEntry@js@@USetHashPolicy@?$HashSet@VAtomStateEntry@js@@UAtomHasher@2@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAEXXZ
+?getOrAllocChunk@GCRuntime@gc@js@@QAEPAUChunk@23@AAVAutoLockGCBgAlloc@3@@Z
+?MapAlignedPages@gc@js@@YAPAXII@Z
+?SystemPageSize@gc@js@@YAIXZ
+?init@GCMarker@js@@QAE_NW4JSGCMode@@@Z
+?registerWithFinalizationRegistry@GCRuntime@gc@js@@QAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?AccelerateLayersByDefault@gfxWindowsPlatform@@MAE_NXZ
+?rehashTableInPlace@?$HashTable@V?$HashMapEntry@PAUCell@gc@js@@_K@mozilla@@UMapHashPolicy@?$HashMap@PAUCell@gc@js@@_KU?$PointerHasher@PAUCell@gc@js@@@mozilla@@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAEXXZ
+??_GIonFreeTask@jit@js@@UAEPAXI@Z
+??0Zone@JS@@QAE@PAUJSRuntime@@@Z
+??0ArenaLists@gc@js@@QAE@PAVZone@JS@@@Z
+?forkRandomKeyGenerator@JSRuntime@@QAE?AVXorShift128PlusRNG@non_crypto@mozilla@@XZ
+?updateStartThreshold@GCHeapThreshold@gc@js@@QAEXIW4JSGCInvocationKind@@ABVGCSchedulingTunables@23@ABVGCSchedulingState@23@_NABVAutoLockGC@3@@Z
+?updateStartThreshold@MallocHeapThreshold@gc@js@@QAEXIABVGCSchedulingTunables@23@ABVAutoLockGC@3@@Z
+?init@Zone@JS@@QAE_NXZ
+??0RegExpZone@js@@QAE@PAVZone@JS@@@Z
+?RegisterWeakCache@shadow@JS@@YAXPAVZone@2@PAVWeakCacheBase@detail@2@@Z
+?setIsAtomsZone@Zone@JS@@QAEXXZ
+?ResetTimeZoneInternal@js@@YAXW4ResetTimeZoneMode@1@@Z
+??$createSpecificScope@VModuleScope@js@@VModuleEnvironmentObject@2@@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+?CreateRuntime@XPCJSContext@@UAEPAVCycleCollectedJSRuntime@mozilla@@PAUJSContext@@@Z
+??0XPCJSRuntime@@AAE@PAUJSContext@@@Z
+??0CycleCollectedJSRuntime@mozilla@@IAE@PAUJSContext@@@Z
+?addBlackRootsTracer@GCRuntime@gc@js@@QAE_NP6AXPAVJSTracer@@PAX@Z1@Z
+?setGrayRootsTracer@GCRuntime@gc@js@@QAEXP6AXPAVJSTracer@@PAX@Z1@Z
+?setGCCallback@GCRuntime@gc@js@@QAEXP6AXPAUJSContext@@W4JSGCStatus@@W4GCReason@JS@@PAX@Z3@Z
+?setObjectsTenuredCallback@GCRuntime@gc@js@@QAEXP6AXPAUJSContext@@PAX@Z1@Z
+?SetOutOfMemoryCallback@JS@@YAXPAUJSContext@@P6AX0PAX@Z1@Z
+?SetWaitCallback@JS@@YAXPAUJSRuntime@@P6APAXPAE@ZP6AXPAX@ZI@Z
+?SetCanInvokeJS@nsThread@@UAG?AW4nsresult@@_N@Z
+?AddPersistentRoot@JS@@YAXPAVRootingContext@1@W4RootKind@1@PAV?$PersistentRooted@PAX@1@@Z
+?setHostCleanupFinalizationRegistryCallback@GCRuntime@gc@js@@QAEXP6AXPAVJSFunction@@PAVJSObject@@PAX@Z2@Z
+?nsCycleCollector_registerJSContext@@YAXPAVCycleCollectedJSContext@mozilla@@@Z
+?AttributeWillChange@nsStubMutationObserver@@UAEXPAVElement@dom@mozilla@@HPAVnsAtom@@H@Z
+?JS_SetNativeStackQuota@@YAXPAUJSContext@@III@Z
+?profiler_set_js_context@@YAXPAUJSContext@@@Z
+?SetContextProfilingStack@js@@YAXPAUJSContext@@PAVProfilingStack@@@Z
+?JS_AddInterruptCallback@@YA_NPAUJSContext@@P6A_N0@Z@Z
+?WindowGlobalOrNull@xpc@@YAPAVnsGlobalWindowInner@@PAVJSObject@@@Z
+?JS_SetSecurityCallbacks@@YAXPAUJSContext@@PBUJSSecurityCallbacks@@@Z
+?setParameter@GCRuntime@gc@js@@QAE_NW4JSGCParamKey@@I@Z
+?gc@GCRuntime@0js@@QAEXW4JSGCInvocationKind@@W4GCReason@JS@@@Z
+?updateGCStartThresholds@ZoneAllocator@js@@QAEXAAVGCRuntime@gc@2@W4JSGCInvocationKind@@ABVAutoLockGC@2@@Z
+?SetDoCycleCollectionCallback@JS@@YAP6AXPAUJSContext@@@Z0P6AX0@Z@Z
+?addFinalizeCallback@GCRuntime@gc@js@@QAE_NP6AXPAVJSFreeOp@@W4JSFinalizeStatus@@PAX@Z2@Z
+?addWeakPointerZonesCallback@GCRuntime@gc@js@@QAE_NP6AXPAUJSContext@@PAX@Z1@Z
+?addWeakPointerCompartmentCallback@GCRuntime@gc@js@@QAE_NP6AXPAUJSContext@@PAVCompartment@JS@@PAX@Z2@Z
+?XRE_IsE10sParentProcess@@YA_NXZ
+?SetPreserveWrapperCallbacks@js@@YAXPAUJSContext@@P6A_N0V?$Handle@PAVJSObject@@@JS@@@ZP6A_N1@Z@Z
+?InitPipeToHandling@JS@@YAXPBUJSClass@@P6A_NPAVJSObject@@@ZPAUJSContext@@@Z
+??$CheckTracedThing@VBigInt@JS@@@js@@YAXPAVJSTracer@@PAVBigInt@JS@@@Z
+?SetSourceHook@js@@YAXPAUJSContext@@V?$UniquePtr@VSourceHook@js@@V?$DefaultDelete@VSourceHook@js@@@mozilla@@@mozilla@@@Z
+?RegisterJSMainRuntimeGCHeapDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSMainRuntimeTemporaryPeakDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSMainRuntimeCompartmentsSystemDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSMainRuntimeCompartmentsUserDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSMainRuntimeRealmsSystemDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSMainRuntimeRealmsUserDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?RegisterJSSizeOfTab@mozilla@@YA?AW4nsresult@@P6A?AW42@PAVJSObject@@PAI111@Z@Z
+?GetUAWidgetScope@XPCJSRuntime@@QAEPAVJSObject@@PAUJSContext@@PAVnsIPrincipal@@@Z
+?setDefaultLocale@JSRuntime@@QAE_NPBD@Z
+?DuplicateString@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PBD@Z
+?JS_SetGlobalJitCompilerOption@@YAXPAUJSContext@@W4JSJitCompilerOption@@I@Z
+?ReleaseAllJITCode@js@@YAXPAVJSFreeOp@@@Z
+?CancelOffThreadIonCompile@js@@YAXABV?$Variant@PAVJSScript@@PAVRealm@JS@@PAVZone@3@UZonesInState@js@@PAUJSRuntime@@@mozilla@@@Z
+?InitJSBytecodeMimeType@nsContentUtils@@SA_NXZ
+?GetScriptTranscodingBuildId@JS@@YA_NPAV?$Vector@D$0A@VSystemAllocPolicy@js@@@mozilla@@@Z
+?UpdateWeakPointersAfterGC@CompartmentPrivate@xpc@@QAEXXZ
+?GetPlatformBuildID@nsXULAppInfo@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?growStorageBy@?$Vector@D$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?InitSelfHostedCode@JS@@YA_NPAUJSContext@@@Z
+?initializeAtoms@JSRuntime@@QAE_NPAUJSContext@@@Z
+?init@StaticStrings@js@@QAE_NPAUJSContext@@@Z
+?refillFreeListAndAllocate@ArenaLists@gc@js@@AAEPAVTenuredCell@23@AAVFreeLists@23@W4AllocKind@23@W4ShouldCheckThresholds@23@@Z
+?Atomize@js@@YAPAVJSAtom@@PAUJSContext@@PBDIW4PinningBehavior@1@ABV?$Maybe@I@mozilla@@@Z
+??$NewStringCopyNDontDeflate@$0A@E@js@@YAPAVJSLinearString@@PAUJSContext@@PBEIW4InitialHeap@gc@0@@Z
+?changeTableSize@?$HashTable@$$CBVAtomStateEntry@js@@USetHashPolicy@?$HashSet@VAtomStateEntry@js@@UAtomHasher@2@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?new_@Symbol@JS@@SAPAV12@PAUJSContext@@W4SymbolCode@2@V?$Handle@PAVJSString@@@2@@Z
+?AtomizeString@js@@YAPAVJSAtom@@PAUJSContext@@PAVJSString@@W4PinningBehavior@1@@Z
+?randomHashCode@JSRuntime@@QAEIXZ
+?JS_ObjectNotWritten@@YA_NPAUJSStructuredCloneWriter@@V?$Handle@PAVJSObject@@@JS@@@Z
+??$Allocate@VSymbol@JS@@$00@js@@YAPAVSymbol@JS@@PAUJSContext@@@Z
+?runHelperThreadTask@GCParallelTask@js@@EAEXAAVAutoLockHelperThreadState@2@@Z
+??$markAtom@VSymbol@JS@@@AtomMarkingRuntime@gc@js@@QAEXPAUJSContext@@PAVSymbol@JS@@@Z
+?initializeParserAtoms@JSRuntime@@QAE_NPAUJSContext@@@Z
+?InstantiateMarkedAtoms@frontend@js@@YA_NPAUJSContext@@ABV?$Vector@PAVParserAtomEntry@frontend@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAUCompilationAtomCache@12@@Z
+?findNonLiveSlot@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@UNameMapHasher@23@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AV?$EntrySlot@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@@mozilla@@@23@I@Z
+?createJitRuntime@JSRuntime@@QAE_NPAUJSContext@@@Z
+?initialize@JitRuntime@jit@js@@QAE_NPAUJSContext@@@Z
+?generateBailoutTailStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@PAVLabel@23@@Z
+?startTrampolineCode@JitRuntime@jit@js@@AAEIAAVMacroAssembler@23@@Z
+?generateBailoutTail@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?Push@MacroAssembler@jit@js@@QAEXUImm32@23@@Z
+?jmpSrc@AssemblerX86Shared@jit@js@@IAEXPAVLabel@23@@Z
+?setupUnalignedABICall@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?passABIArg@MacroAssembler@jit@js@@QAEXABVMoveOperand@23@W4Type@MoveOp@23@@Z
+?allocImplColdPath@LifoAlloc@js@@AAEPAXI@Z
+?newChunkWithCapacity@LifoAlloc@js@@AAE?AV?$UniquePtr@VBumpChunk@detail@js@@U?$DeletePolicy@VBumpChunk@detail@js@@@JS@@@mozilla@@I_N@Z
+??0AutoProfilerCallInstrumentation@MacroAssembler@jit@js@@QAE@AAV123@@Z
+?callWithABIPre@MacroAssembler@jit@js@@AAEXPAI_N@Z
+?resolve@MoveResolver@jit@js@@QAE_NXZ
+?emit@MoveEmitterX86@jit@js@@QAEXABVMoveResolver@23@@Z
+?jmp@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@@Z
+?generateBailoutTable@JitRuntime@jit@js@@AAE?AUBailoutTable@123@AAVMacroAssembler@23@PAVLabel@23@I@Z
+?call@AssemblerX86Shared@jit@js@@QAE?AVCodeOffset@23@PAVLabel@23@@Z
+?convertInt64ToFloat32@MacroAssembler@jit@js@@QAEXURegister64@23@UFloatRegister@23@@Z
+?callWithABINoProfiler@MacroAssembler@jit@js@@AAEXPAXW4Type@MoveOp@23@W4CheckUnsafeCallWithABI@23@@Z
+?callWithABIPost@MacroAssembler@jit@js@@AAEXIW4Type@MoveOp@23@_N@Z
+?generateBailoutHandler@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@PAVLabel@23@@Z
+?generateInvalidator@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@PAVLabel@23@@Z
+?leal@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+?oneByteOp@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@QAEXW4OneByteOpcodeID@345@HW4RegisterID@345@1HH@Z
+?generateArgumentsRectifier@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@W4ArgumentsRectifierKind@23@@Z
+?moveValue@MacroAssembler@jit@js@@QAEXABVValue@JS@@ABVValueOperand@23@@Z
+?push@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@@Z
+?loadValue@MacroAssemblerX86@jit@js@@QAEXVOperand@23@VValueOperand@23@@Z
+?storeValue@MacroAssemblerX86@jit@js@@QAEXVValueOperand@23@VOperand@23@@Z
+?loadJitCodeRaw@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?callAndPushReturnAddress@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?loadBaselineJitCodeRaw@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?testl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?cmpl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?generateEnterJIT@JitRuntime@jit@js@@AAEXPAUJSContext@@AAVMacroAssembler@23@@Z
+?touchFrameValues@MacroAssembler@jit@js@@QAEXURegister@23@00@Z
+?movl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?linkExitFrame@MacroAssembler@jit@js@@AAEXURegister@23@0@Z
+?profilerEnterFrame@MacroAssemblerX86@jit@js@@QAEXURegister@23@0@Z
+?call@MacroAssembler@jit@js@@QAEXABUAddress@23@@Z
+?growStorageBy@?$Vector@VCodeLabel@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?generatePreBarrier@JitRuntime@jit@js@@AAEIPAUJSContext@@AAVMacroAssembler@23@W4MIRType@23@@Z
+?emitPreBarrierFastPath@MacroAssembler@jit@js@@QAEXPAUJSRuntime@@W4MIRType@23@URegister@23@22PAVLabel@23@@Z
+?growStorageBy@?$Vector@URelativePatch@AssemblerX86Shared@jit@js@@$07VSystemAllocPolicy@4@@mozilla@@AAE_NI@Z
+?generateFreeStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@@Z
+?generateLazyLinkStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@@Z
+?loadJSContext@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?generateInterpreterStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@@Z
+?generateDoubleToInt32ValueStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@@Z
+?unboxDouble@MacroAssemblerX86@jit@js@@QAEXABVValueOperand@23@UFloatRegister@23@@Z
+?threeByteOpImmInt32Simd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4ThreeByteOpcodeID@234@W4ThreeByteEscape@234@IW4RegisterID@234@W4XMMRegisterID@234@5@Z
+?convertDoubleToInt32@MacroAssemblerX86Shared@jit@js@@QAEXUFloatRegister@23@URegister@23@PAVLabel@23@_N@Z
+?twoByteOpSimdInt32@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4TwoByteOpcodeID@234@W4XMMRegisterID@234@W4RegisterID@234@@Z
+?twoByteOpSimdFlags@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4TwoByteOpcodeID@234@W4XMMRegisterID@234@3@Z
+?generateVMWrappers@JitRuntime@jit@js@@AAE_NPAUJSContext@@AAVMacroAssembler@23@@Z
+?growStorageBy@?$Vector@I$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?generateVMWrapper@JitRuntime@jit@js@@AAE_NPAUJSContext@@AAVMacroAssembler@23@ABUVMFunctionData@23@UDynFn@23@PAI@Z
+?DoSendBlockingMessage@MessageManagerCallback@ipc@dom@mozilla@@UAE_NABV?$nsTSubstring@_S@@AAVStructuredCloneData@234@PAV?$nsTArray@VStructuredCloneData@ipc@dom@mozilla@@@@@Z
+?pop@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@@Z
+?addl_im@BaseAssembler@X86Encoding@jit@js@@QAEXHHW4RegisterID@234@@Z
+?speculationBarrier@MacroAssembler@jit@js@@QAEXXZ
+?Pop@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?PushEmptyRooted@MacroAssembler@jit@js@@QAEXW4RootType@VMFunctionData@23@@Z
+?pushValue@MacroAssemblerX86@jit@js@@QAEXABVValue@JS@@@Z
+?popRooted@MacroAssembler@jit@js@@QAEXW4RootType@VMFunctionData@23@URegister@23@ABVValueOperand@23@@Z
+?Pop@MacroAssembler@jit@js@@QAEXABVValueOperand@23@@Z
+?Pop@MacroAssembler@jit@js@@QAEXUFloatRegister@23@@Z
+?twoByteOpSimd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4TwoByteOpcodeID@234@HW4RegisterID@234@W4XMMRegisterID@234@4@Z
+?generateProfilerExitFrameTailStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@PAVLabel@23@@Z
+?generateExceptionTailStub@JitRuntime@jit@js@@AAEXAAVMacroAssembler@23@PAVLabel@23@@Z
+?newCode@Linker@jit@js@@QAEPAVJitCode@23@PAUJSContext@@W4CodeKind@23@@Z
+?createJitZone@Zone@JS@@AAEPAVJitZone@jit@js@@PAUJSContext@@@Z
+?alloc@ExecutableAllocator@jit@js@@QAEPAXPAUJSContext@@IPAPAVExecutablePool@23@W4CodeKind@23@@Z
+??1ExecutableAllocator@jit@js@@QAE@XZ
+??$?0UBaseIndex@jit@js@@@AutoEnsureByteRegister@MacroAssemblerX86Shared@jit@js@@QAE@PAV123@UBaseIndex@23@URegister@23@@Z
+??$New@$0A@@JitCode@jit@js@@SAPAV012@PAUJSContext@@PAEIIPAVExecutablePool@12@W4CodeKind@12@@Z
+?copyFrom@JitCode@jit@js@@QAEXAAVMacroAssembler@23@@Z
+?MarkStub@vtune@js@@YAXPBVJitCode@jit@2@PBD@Z
+?generateBaselineICFallbackCode@JitRuntime@jit@js@@AAE_NPAUJSContext@@@Z
+?EmitBaselineTailCallVM@jit@js@@YAXUTrampolinePtr@12@AAVMacroAssembler@12@I@Z
+?discardStubs@ICFallbackStub@jit@js@@QAEXPAUJSContext@@PAVJSScript@@@Z
+?DoCheckPrivateFieldFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICCheckPrivateField_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?EmitBaselineEnterStubFrame@jit@js@@YAXAAVMacroAssembler@12@URegister@12@@Z
+?pushValue@MacroAssemblerX86@jit@js@@QAEXABUAddress@23@@Z
+?addl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?EmitBaselineCallVM@jit@js@@YAXUTrampolinePtr@12@AAVMacroAssembler@12@@Z
+?moveValue@MacroAssembler@jit@js@@QAEXABVValueOperand@23@0@Z
+?GenerateBaselineInterpreter@jit@js@@YA_NPAUJSContext@@AAVBaselineInterpreter@12@@Z
+?trace@?$RootedTraceable@VExternalValueArray@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?cmpl@AssemblerX86Shared@jit@js@@QAEXURegister@23@ABVOperand@23@@Z
+??$js_strchr_limit@_S@@YAPB_SPB_S_S0@Z
+?cmpl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?nop_five@BaseAssembler@X86Encoding@jit@js@@QAEXXZ
+?moveNearAddressWithPatch@MacroAssembler@jit@js@@QAE?AVCodeOffset@23@URegister@23@@Z
+?growStorageBy@?$Vector@VCodeOffset@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?addl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+??$fallibleUnboxPtrImpl@UAddress@jit@js@@@MacroAssemblerX86@jit@js@@QAEXABUAddress@12@URegister@12@W4JSValueType@@PAVLabel@12@@Z
+?Destroy@BaselineScript@jit@js@@SAXPAVJSFreeOp@@PAV123@@Z
+?Push@MacroAssembler@jit@js@@QAEXABVValueOperand@23@@Z
+?movl_mr@BaseAssembler@X86Encoding@jit@js@@QAEXPBXW4RegisterID@234@@Z
+?Push@MacroAssembler@jit@js@@QAEXABUAddress@23@@Z
+?unboxNonDouble@MacroAssemblerX86@jit@js@@QAEXABVOperand@23@0URegister@23@W4JSValueType@@1@Z
+?boxNonDouble@MacroAssemblerX86@jit@js@@QAEXW4JSValueType@@URegister@23@ABVValueOperand@23@@Z
+?loadObjProto@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?iteratorMore@MacroAssembler@jit@js@@QAEXURegister@23@VValueOperand@23@0@Z
+?iteratorClose@MacroAssembler@jit@js@@QAEXURegister@23@000@Z
+?andl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+??$unguardedCallPreBarrier@UAddress@jit@js@@@MacroAssembler@jit@js@@AAEXABUAddress@12@W4MIRType@12@@Z
+?branchPtrInNurseryChunk@MacroAssembler@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@URegister@23@1PAVLabel@23@@Z
+?branchValueIsNurseryCell@MacroAssembler@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@VValueOperand@23@URegister@23@PAVLabel@23@@Z
+?profilerExitFrame@MacroAssemblerX86@jit@js@@QAEXXZ
+?branchTestValue@MacroAssembler@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@ABVValueOperand@23@ABVValue@JS@@PAVLabel@23@@Z
+?orl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?switchToObjectRealm@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+??$storeValue@UAddress@jit@js@@@MacroAssemblerX86@jit@js@@QAEXABVValue@JS@@ABUAddress@12@@Z
+?switchToBaselineFrameRealm@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?debugTrapHandler@JitRuntime@jit@js@@QAEPAVJitCode@23@PAUJSContext@@W4DebugTrapHandlerKind@23@@Z
+?generateDebugTrapHandler@JitRuntime@jit@js@@AAEPAVJitCode@23@PAUJSContext@@W4DebugTrapHandlerKind@23@@Z
+?jmp@Assembler@jit@js@@QAEXUImmPtr@23@W4RelocationKind@23@@Z
+?addEntry@JitcodeGlobalTable@jit@js@@AAE_NABVJitcodeGlobalEntry@23@@Z
+?initSelfHosting@JSRuntime@@QAE_NPAUJSContext@@@Z
+??0AutoDisableGenerationalGC@JS@@QAE@PAUJSContext@@@Z
+?minorGC@GCRuntime@gc@js@@QAEXW4GCReason@JS@@W4PhaseKind@gcstats@3@@Z
+?beginPhase@Statistics@gcstats@js@@QAEXW4PhaseKind@23@@Z
+?collect@Nursery@js@@QAEXW4JSGCInvocationKind@@W4GCReason@JS@@@Z
+?clear@StoreBuffer@gc@js@@QAEXXZ
+?beginNurseryCollection@Statistics@gcstats@js@@QAEXW4GCReason@JS@@@Z
+?DispatchToMicroTask@CycleCollectedJSContext@mozilla@@UAEXU?$already_AddRefed@VMicroTaskRunnable@mozilla@@@@@Z
+?Get@TimelineConsumers@mozilla@@SA?AU?$already_AddRefed@VTimelineConsumers@mozilla@@@@XZ
+?IsEmpty@TimelineConsumers@mozilla@@QAE_NXZ
+?FactoryGet@LinearHistogram@base@@SAPAVHistogram@2@HHIW4Flags@32@PBH@Z
+?endNurseryCollection@Statistics@gcstats@js@@QAEXW4GCReason@JS@@@Z
+?maybeGC@GCRuntime@gc@js@@QAEXXZ
+?transferFrom@LifoAlloc@js@@QAEXPAV12@@Z
+?endPhase@Statistics@gcstats@js@@QAEXW4PhaseKind@23@@Z
+?maybeTriggerGCAfterMalloc@GCRuntime@gc@js@@QAE_NPAVZone@JS@@ABVHeapSize@23@ABVHeapThreshold@23@W4GCReason@5@@Z
+?disable@Nursery@js@@QAEXXZ
+?join@GCParallelTask@js@@QAEXXZ
+??1Nursery@js@@QAE@XZ
+?init@Chunk@gc@js@@QAEXPAVGCRuntime@23@@Z
+?startOrRunIfIdle@GCParallelTask@js@@QAEXAAVAutoLockHelperThreadState@2@@Z
+?submitTask@GlobalHelperThreadState@js@@QAE_NPAVGCParallelTask@2@ABVAutoLockHelperThreadState@2@@Z
+??0ClearEdgesTracer@gc@js@@QAE@PAUJSRuntime@@@Z
+?decommitAllArenas@Chunk@gc@js@@QAEXXZ
+?recycleChunk@GCRuntime@gc@js@@QAEXPAUChunk@23@ABVAutoLockGC@3@@Z
+?NewRealm@js@@YAPAVRealm@JS@@PAUJSContext@@PAUJSPrincipals@@ABVRealmOptions@3@@Z
+?JS_AbortIfWrongThread@@YAXPAUJSContext@@@Z
+??0Compartment@JS@@QAE@PAVZone@1@_N@Z
+??0Realm@JS@@QAE@PAVCompartment@1@ABVRealmOptions@1@@Z
+?init@Realm@JS@@QAE_NPAUJSContext@@PAUJSPrincipals@@@Z
+?allocateSentinel@NativeIterator@js@@SAPAU12@PAUJSContext@@@Z
+?createInternal@GlobalObject@js@@CAPAV12@PAUJSContext@@PBUJSClass@@@Z
+?NewObjectWithGivenTaggedProto@js@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@V?$Handle@VTaggedProto@js@@@JS@@W4AllocKind@gc@1@W4NewObjectKind@1@I@Z
+?defaultNewGroup@ObjectGroup@js@@SAPAV12@PAUJSContext@@PBUJSClass@@VTaggedProto@2@PAVJSObject@@@Z
+?NativeSetElement@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@IV?$Handle@VValue@JS@@@4@2AAVObjectOpResult@4@@Z
+?ensureHash@?$MovableCellHasher@PAVJSObject@@@js@@SA_NABQAVJSObject@@@Z
+?hash@?$MovableCellHasher@PAVJSObject@@@js@@SAIABQAVJSObject@@@Z
+??$Allocate@VObjectGroup@js@@$00@js@@YAPAVObjectGroup@0@PAUJSContext@@@Z
+?postBarrier@?$InternalBarrierMethods@VTaggedProto@js@@@js@@SAXPAVTaggedProto@2@V32@1@Z
+?setNeedsIncrementalBarrier@?$WeakCache@V?$GCHashSet@UInitialShapeEntry@js@@U12@VSystemAllocPolicy@2@@JS@@@JS@@UAE_N_N@Z
+?addSizeOfExcludingThis@ObjectGroupRealm@js@@QAEXP6AIPBX@ZPAI222@Z
+?getInitialShape@EmptyShape@js@@SAPAVShape@2@PAUJSContext@@PBUJSClass@@VTaggedProto@2@II@Z
+??$Allocate@VBaseShape@js@@$00@js@@YAPAVBaseShape@0@PAUJSContext@@@Z
+?changeTableSize@?$HashTable@$$CBV?$WeakHeapPtr@PAVUnownedBaseShape@js@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVUnownedBaseShape@js@@@js@@UStackBaseShape@2@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$Allocate@VShape@js@@$00@js@@YAPAVShape@0@PAUJSContext@@@Z
+?changeTableSize@?$HashTable@$$CBUInitialShapeEntry@js@@USetHashPolicy@?$HashSet@UInitialShapeEntry@js@@U12@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$AllocateObject@$00@js@@YAPAVJSObject@@PAUJSContext@@W4AllocKind@gc@0@IW4InitialHeap@40@PBUJSClass@@@Z
+?lazySingletonGroup@ObjectGroup@js@@SAPAV12@PAUJSContext@@AAVObjectGroupRealm@2@PAVRealm@JS@@PBUJSClass@@VTaggedProto@2@@Z
+?createGlobal@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?getEmptyExtensibleEnvironmentShape@LexicalScope@js@@SAPAVShape@2@PAUJSContext@@@Z
+?CreateNonSyntacticEnvironmentChain@js@@YA_NPAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@V?$MutableHandle@PAVJSObject@@@4@V?$MutableHandle@PAVScope@js@@@4@@Z
+?create@NativeObject@js@@SA?AV?$Result@PAVNativeObject@js@@UOOM@JS@@@mozilla@@PAUJSContext@@W4AllocKind@gc@2@W4InitialHeap@72@V?$Handle@PAVShape@js@@@JS@@V?$Handle@PAVObjectGroup@js@@@JS@@@Z
+?EnvironmentCoordinateNameSlow@js@@YAPAVPropertyName@1@PAVJSScript@@PAE@Z
+?GetThisObject@js@@YAPAVJSObject@@PAV2@@Z
+?ToWindowProxyIfWindowSlow@detail@js@@YAPAVJSObject@@PAV3@@Z
+?create@GlobalScope@js@@SAPAV12@PAUJSContext@@W4ScopeKind@2@V?$Handle@PAU?$AbstractData@VJSAtom@@@GlobalScope@js@@@JS@@@Z
+??$Allocate@VScope@js@@$00@js@@YAPAVScope@0@PAUJSContext@@@Z
+?postBarrier@?$InternalBarrierMethods@PAVGlobalObject@js@@@js@@SAXPAPAVGlobalObject@2@PAV32@1@Z
+?setFlags@JSObject@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4Flag@BaseShape@js@@W4GenerateShape@1@@Z
+?setIsSelfHostingZone@Zone@JS@@QAEXXZ
+?initSelfHostingBuiltins@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@PBUJSFunctionSpec@@@Z
+?DefineDataProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAVPropertyName@1@V?$Handle@VValue@JS@@@4@I@Z
+?NativeDefineProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@UPropertyDescriptor@JS@@@4@AAVObjectOpResult@4@@Z
+?addDataPropertyInternal@NativeObject@js@@KAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@6@IIPAVShapeTable@2@PAVEntry@82@ABVAutoKeepShapeCaches@2@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDV?$Handle@VValue@JS@@@3@I@Z
+?maybeGetElement@ArgumentsObject@js@@QAE_NIV?$MutableHandle@VValue@JS@@@JS@@@Z
+?resolveConstructor@GlobalObject@js@@CA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@W4JSProtoKey@@W4IfClassIsDisabled@12@@Z
+?skipDeselectedConstructor@GlobalObject@js@@SA_NPAUJSContext@@W4JSProtoKey@@@Z
+?trace@?$RootedTraceable@V?$GCVector@UPropertyDescriptor@JS@@$0A@VTempAllocPolicy@js@@@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?SetImmutablePrototype@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PA_N@Z
+?NewFunctionWithProto@js@@YAPAVJSFunction@@PAUJSContext@@P6A_N0IPAVValue@JS@@@ZIVFunctionFlags@1@V?$Handle@PAVJSObject@@@5@V?$Handle@PAVJSAtom@@@5@4W4AllocKind@gc@1@W4NewObjectKind@1@@Z
+?NewObjectWithClassProto@js@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@W4AllocKind@gc@1@W4NewObjectKind@1@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@PAUCell@gc@js@@_K@mozilla@@UMapHashPolicy@?$HashMap@PAUCell@gc@js@@_KU?$PointerHasher@PAUCell@gc@js@@@mozilla@@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?DefineDataProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@I@Z
+?LinkConstructorAndPrototype@js@@YA_NPAUJSContext@@PAVJSObject@@1II@Z
+??$XDR@$00@ScriptSource@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@1@ABV?$Maybe@VCompileOptions@JS@@@3@V?$MutableHandle@VScriptSourceHolder@js@@@JS@@@Z
+?growSlots@NativeObject@js@@QAE_NPAUJSContext@@II@Z
+?allocateBuffer@Nursery@js@@QAEPAXPAVJSObject@@I@Z
+?match@?$MovableCellHasher@PAVJSObject@@@js@@SA_NABQAVJSObject@@0@Z
+?DefineFunction@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@P6A_N0IPAVValue@5@@ZIIW4AllocKind@gc@1@@Z
+?getIntrinsicsHolder@GlobalObject@js@@SAPAVNativeObject@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?splicePrototype@JSObject@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VTaggedProto@js@@@4@@Z
+?makeLazyGroup@JSObject@@CAPAVObjectGroup@js@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?preBarrier@?$InternalBarrierMethods@VTaggedProto@js@@@js@@SAXAAVTaggedProto@2@@Z
+?NewTenuredDenseEmptyArray@js@@YIPAVArrayObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?addAccessorPropertyInternal@NativeObject@js@@KAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@6@P6A_N0V?$Handle@PAVJSObject@@@6@2V?$MutableHandle@VValue@JS@@@6@@ZP6A_N032V?$Handle@VValue@JS@@@6@AAVObjectOpResult@6@@ZIPAVShapeTable@2@PAVEntry@ShapeTable@2@ABVAutoKeepShapeCaches@2@@Z
+??$Allocate@VAccessorShape@js@@$00@js@@YAPAVAccessorShape@0@PAUJSContext@@@Z
+??1AutoSetNewObjectMetadata@js@@QAE@XZ
+?createConstructor@GlobalObject@js@@SAPAVJSFunction@@PAUJSContext@@P6A_N0IPAVValue@JS@@@ZPAVJSAtom@@IW4AllocKind@gc@2@PBVJSJitInfo@@@Z
+?createObject@GlobalObject@js@@CAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@IV?$Handle@PAVJSAtom@@@6@P6A_N012@Z@Z
+?realm@?$TracerConcreteWithRealm@VBaseScript@js@@@ubi@JS@@EBEPAVRealm@3@XZ
+?createBlankPrototype@GlobalObject@js@@SAPAVNativeObject@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@PBUJSClass@@@Z
+?createBlankPrototypeInheriting@GlobalObject@js@@SAPAVNativeObject@2@PAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@@Z
+?compartment@?$TracerConcreteWithRealm@VBaseScript@js@@@ubi@JS@@EBEPAVCompartment@3@XZ
+?FlatStringSearch@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?DefineFunctions@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBUJSFunctionSpec@@W4DefineAsIntrinsic@1@@Z
+?PropertySpecNameToId@@YA_NPAUJSContext@@TName@JSPropertySpec@@V?$MutableHandle@UPropertyKey@JS@@@JS@@W4PinningBehavior@js@@@Z
+?NewFunctionFromSpec@JS@@YAPAVJSFunction@@PAUJSContext@@PBUJSFunctionSpec@@V?$Handle@UPropertyKey@JS@@@1@@Z
+?IdToFunctionName@js@@YAPAVJSAtom@@PAUJSContext@@V?$Handle@UPropertyKey@JS@@@JS@@W4FunctionPrefixKind@1@@Z
+?reallocateBuffer@Nursery@js@@QAEPAXPAVZone@JS@@PAUCell@gc@2@PAXII@Z
+?JS_FireOnNewGlobalObject@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ensureRealmIsRecordingAllocations@JSRuntime@@QAEXV?$Handle@PAVGlobalObject@js@@@JS@@@Z
+??0JSAutoRealm@@QAE@PAUJSContext@@PAVJSObject@@@Z
+?DecompressString@js@@YA_NPBEIPAEI@Z
+?JS_free@@YAXPAUJSContext@@PAX@Z
+??0CompileOptions@JS@@QAE@PAUJSContext@@@Z
+?Evaluate@JS@@YA_NPAUJSContext@@ABVReadOnlyCompileOptions@1@AAV?$SourceText@TUtf8Unit@mozilla@@@1@V?$MutableHandle@VValue@JS@@@1@@Z
+??0CompileOptions@JS@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@1@@Z
+?copyPODNonTransitiveOptions@ReadOnlyCompileOptions@JS@@IAEXABV12@@Z
+?copyPODTransitiveOptions@TransitiveCompileOptions@JS@@IAEXABV12@@Z
+?privateValue@CompileOptions@JS@@UBE?AVValue@2@XZ
+?GetAttributeList@RsdparsaSdp@mozilla@@UAEAAVSdpAttributeList@2@XZ
+?GetAnimateMotionTransform@SVGTransformableElement@dom@mozilla@@UBEPBV?$BaseMatrix@M@gfx@3@XZ
+?FeaturePolicy@HTMLIFrameElement@dom@mozilla@@QBEPAV023@XZ
+?CompileGlobalScript@frontend@js@@YAPAVJSScript@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@TUtf8Unit@mozilla@@@6@W4ScopeKind@2@@Z
+??$?0PAUJSContext@@UCompilationInfo@frontend@js@@@?$Rooted@UCompilationInfo@frontend@js@@@JS@@QAE@ABQAUJSContext@@$$QAUCompilationInfo@frontend@js@@@Z
+??0CompilationStencil@frontend@js@@QAE@$$QAU012@@Z
+?steal@LifoAlloc@js@@QAEXPAV12@@Z
+??1CompilationStencil@frontend@js@@QAE@XZ
+?initScriptSource@CompilationInput@frontend@js@@AAE_NPAUJSContext@@@Z
+?initFromOptions@ScriptSource@js@@QAE_NPAUJSContext@@ABVReadOnlyCompileOptions@JS@@@Z
+?xdrFinalizeEncoder@ScriptSource@js@@QAE_NPAUJSContext@@AAV?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@mozilla@@@Z
+?getOrCreate@SharedImmutableStringsCache@js@@QAE?AV?$Maybe@VSharedImmutableString@js@@@mozilla@@$$QAV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@4@I@Z
+??$add@V?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@mozilla@@@?$HashTable@$$CBV?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@mozilla@@USetHashPolicy@?$HashSet@V?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@mozilla@@UHasher@SharedImmutableStringsCache@js@@VSystemAllocPolicy@5@@2@VSystemAllocPolicy@js@@@detail@mozilla@@QAE_NAAVAddPtr@012@$$QAV?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@2@@Z
+?changeTableSize@?$HashTable@$$CBV?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@mozilla@@USetHashPolicy@?$HashSet@V?$UniquePtr@VStringBox@SharedImmutableStringsCache@js@@U?$DeletePolicy@VStringBox@SharedImmutableStringsCache@js@@@JS@@@mozilla@@UHasher@SharedImmutableStringsCache@js@@VSystemAllocPolicy@5@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??1SharedImmutableString@js@@QAE@XZ
+??0SharedImmutableString@js@@QAE@$$QAV01@@Z
+?emptyGlobalScope@GlobalObject@js@@QBEAAVGlobalScope@2@XZ
+?CompileGlobalScriptToStencil@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@AAV?$SourceText@TUtf8Unit@mozilla@@@JS@@W4ScopeKind@2@@Z
+??0CompilationState@frontend@js@@QAE@PAUJSContext@@AAVLifoAllocScope@2@ABVReadOnlyCompileOptions@JS@@AAUCompilationStencil@12@PAVScope@2@PAVJSObject@@@Z
+?growStorageBy@?$Vector@VScriptStencil@frontend@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+??$assignSource@TUtf8Unit@mozilla@@@ScriptSource@js@@QAE_NPAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@TUtf8Unit@mozilla@@@4@@Z
+??0?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@PBTUtf8Unit@mozilla@@I_NAAUCompilationInfo@12@AAUCompilationState@12@PAV?$Parser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@12@PAVBaseScript@2@@Z
+??0TokenStreamAnyChars@frontend@js@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@PAVStrictModeGetter@12@@Z
+??0GlobalSharedContext@frontend@js@@QAE@PAUJSContext@@W4ScopeKind@2@AAUCompilationInfo@12@VDirectives@12@USourceExtent@2@@Z
+?FillImmutableFlagsFromCompileOptionsForTopLevel@js@@YAXABVReadOnlyCompileOptions@JS@@AAVImmutableScriptFlags@1@@Z
+?globalBody@?$Parser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAEPAVListNode@23@PAVGlobalSharedContext@23@@Z
+??0ParseContext@frontend@js@@QAE@PAUJSContext@@AAPAV012@PAVSharedContext@12@AAVErrorReporter@12@AAUCompilationState@12@PAVDirectives@12@_N@Z
+?init@ParseContext@frontend@js@@QAE_NXZ
+?allocate@?$CollectionPool@V?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@V?$InlineTablePool@V?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@@frontend@2@@frontend@js@@AAEPAV?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@3@XZ
+?consumeOptionalHashbangComment@?$GeneralTokenStreamChars@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAEXXZ
+?getTokenInternal@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NQAW4TokenKind@23@W4Modifier@Token@23@@Z
+?statementListItem@?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAEPAVParseNode@23@W4YieldHandling@23@_N@Z
+?bindingIdentifier@?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@IAEPBVParserName@23@W4YieldHandling@23@@Z
+?internUtf8@ParserAtomsTable@frontend@js@@QAEPBVParserAtom@23@PAUJSContext@@PBTUtf8Unit@mozilla@@I@Z
+?FindSmallestEncoding@JS@@YA?AW4SmallestEncoding@1@VUTF8Chars@1@@Z
+_ZN11encoding_rs8Encoding17ascii_valid_up_to17h61a9c50a1297f614E
+?internLatin1@ParserAtomsTable@frontend@js@@QAEPBVParserAtom@23@PAUJSContext@@PBEI@Z
+??0?$PerHandlerParser@VFullParseHandler@frontend@js@@@frontend@js@@AAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@_NAAUCompilationInfo@12@AAUCompilationState@12@PAVBaseScript@2@PAX@Z
+??1ParserBase@frontend@js@@QAE@XZ
+?tryDeclareVar@ParseContext@frontend@js@@QAE_NPBVParserName@23@W4DeclarationKind@23@IPAV?$Maybe@W4DeclarationKind@frontend@js@@@mozilla@@PAI@Z
+?IsExtendedUnclonedSelfHostedFunctionName@js@@YA_NPBVParserAtom@frontend@1@@Z
+?newFunctionBox@?$PerHandlerParser@VFullParseHandler@frontend@js@@@frontend@js@@QAEPAVFunctionBox@23@PAVFunctionNode@23@PBVParserAtom@23@VFunctionFlags@3@IVDirectives@23@W4GeneratorKind@3@W4FunctionAsyncKind@3@@Z
+?FillImmutableFlagsFromCompileOptionsForFunction@js@@YAXABVReadOnlyCompileOptions@JS@@AAVImmutableScriptFlags@1@@Z
+?initWithEnclosingParseContext@FunctionBox@frontend@js@@QAEXPAVParseContext@23@VFunctionFlags@3@W4FunctionSyntaxKind@23@@Z
+?functionFormalParametersAndBody@?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAE_NW4InHandling@23@W4YieldHandling@23@PAPAVFunctionNode@23@W4FunctionSyntaxKind@23@ABV?$Maybe@I@mozilla@@_N@Z
+?computeLineAndColumn@?$GeneralTokenStreamChars@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@IBEXIPAI0@Z
+?noteUse@UsedNameTracker@frontend@js@@QAE_NPAUJSContext@@PBVParserAtom@23@W4NameVisibility@23@IIV?$Maybe@UTokenPos@frontend@js@@@mozilla@@@Z
+?declareFunctionArgumentsObject@ParseContext@frontend@js@@QAE_NABVUsedNameTracker@23@_N@Z
+?declareFunctionThis@ParseContext@frontend@js@@QAE_NABVUsedNameTracker@23@_N@Z
+?propagateAndMarkAnnexBFunctionBoxes@Scope@ParseContext@frontend@js@@QAE_NPAV234@@Z
+??1ParseContext@frontend@js@@QAE@XZ
+?appendOrCreateList@ParseNode@frontend@js@@SAPAV123@W4ParseNodeKind@23@PAV123@1PAVFullParseHandler@23@PAVParseContext@23@@Z
+?standaloneFunction@?$Parser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAEPAVFunctionNode@23@ABV?$Maybe@I@mozilla@@W4FunctionSyntaxKind@23@W4GeneratorKind@3@W4FunctionAsyncKind@3@VDirectives@23@PAVDirectives@23@@Z
+?getStringOrTemplateToken@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NDW4Modifier@Token@23@PAW4TokenKind@23@@Z
+?internChar16@ParserAtomsTable@frontend@js@@QAEPBVParserAtom@23@PAUJSContext@@PB_SI@Z
+?growStorageBy@?$Vector@_S$0CA@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?addCatchParameters@Scope@ParseContext@frontend@js@@QAE_NPAV234@AAV1234@@Z
+?lookupDeclaredNameForAdd@Scope@ParseContext@frontend@js@@QAE?AVAddPtr@?$InlineTable@UInlineEntry@?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@VEntry@23@V?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@UNameMapHasher@23@VSystemAllocPolicy@3@@mozilla@@UNameMapHasher@frontend@3@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@$0BI@@detail@4@PBVParserAtom@34@@Z
+?addDeclaredName@Scope@ParseContext@frontend@js@@QAE_NPAV234@AAVAddPtr@?$InlineTable@UInlineEntry@?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@VEntry@23@V?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@UNameMapHasher@23@VSystemAllocPolicy@3@@mozilla@@UNameMapHasher@frontend@3@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@$0BI@@detail@4@PBVParserAtom@34@W4DeclarationKind@34@IW4ClosedOver@34@@Z
+?removeCatchParameters@Scope@ParseContext@frontend@js@@QAEXPAV234@AAV1234@@Z
+?reservedWordToPropertyName@TokenStreamAnyChars@frontend@js@@ABEPBVParserName@23@W4TokenKind@23@@Z
+??$XDRParserAtomOrNull@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@PAPBVParserAtom@frontend@0@@Z
+?seekTo@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NABV?$TokenStreamPosition@_S@23@ABVTokenStreamAnyChars@23@@Z
+?switchToTable@?$InlineTable@UInlineEntry@?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@VEntry@23@V?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@UNameMapHasher@23@VSystemAllocPolicy@3@@mozilla@@UNameMapHasher@frontend@3@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@$0BI@@detail@js@@AAE_NXZ
+?changeTableSize@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@VDeclaredNameInfo@frontend@js@@@23@UNameMapHasher@23@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?newDelete@FullParseHandler@frontend@js@@QAEPAVUnaryNode@23@IPAVParseNode@23@@Z
+?computeErrorMetadata@?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@UAE_NPAUErrorMetadata@3@ABV?$Variant@IUCurrent@ErrorReportMixin@frontend@js@@UNoOffset@234@@mozilla@@@Z
+?declareDotGeneratorName@ParseContext@frontend@js@@QAE_NXZ
+?seekTo@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAEXABV?$TokenStreamPosition@TUtf8Unit@mozilla@@@23@@Z
+?options@ParserBase@frontend@js@@UBEABVReadOnlyCompileOptions@JS@@XZ
+?hasUnboundPrivateNames@UsedNameTracker@frontend@js@@QAE_NPAUJSContext@@AAV?$Maybe@UUnboundPrivateName@frontend@js@@@mozilla@@@Z
+?growStorageBy@?$Vector@I$03VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?nsWindowsRegKeyConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??1?$nsTArray_Impl@V?$RefPtr@V?$MozPromise@VPerformanceInfo@dom@mozilla@@W4nsresult@@$00@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?StripWhitespace@?$nsTString@D@@QAE_NABUnothrow_t@std@@@Z
+??0?$nsTSubstringSplitter@D@@QAE@PBV?$nsTSubstring@D@@D@Z
+?isIndex@ParserAtomEntry@frontend@js@@QBE_NPAI@Z
+?getUnboundPrivateNames@UsedNameTracker@frontend@js@@QAE_NAAV?$Vector@UUnboundPrivateName@frontend@js@@$07VTempAllocPolicy@3@@mozilla@@@Z
+?visit@?$RewritingParseNodeVisitor@VFoldVisitor@@@frontend@js@@QAE_NAAPAVParseNode@23@@Z
+?emitElseInternal@BranchEmitterBase@frontend@js@@IAE_NXZ
+?ecmaPow@js@@YANNN@Z
+?allocImplOversize@LifoAlloc@js@@AAEPAXI@Z
+?emitInitializeInstanceMembers@BytecodeEmitter@frontend@js@@QAE_NXZ
+?errorReporter@EitherParser@frontend@js@@UAEAAVErrorReporter@23@XZ
+??0EmitterScope@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?enterGlobal@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVGlobalSharedContext@23@@Z
+?emitTDZCheckIfNeeded@BytecodeEmitter@frontend@js@@QAE_NPBVParserAtom@23@ABVNameLocation@23@W4ValueIsOnStack@23@@Z
+?intoScriptStencil@BytecodeEmitter@frontend@js@@QAE_NPAVScriptStencil@23@@Z
+?prepareForParameters@FunctionScriptEmitter@frontend@js@@QAE_NXZ
+?updateLineNumberNotes@BytecodeEmitter@frontend@js@@QAE_NI@Z
+?enterFunction@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVFunctionBox@23@@Z
+?locationBoundInScope@EmitterScope@frontend@js@@QAE?AV?$Maybe@VNameLocation@frontend@js@@@mozilla@@PBVParserAtom@23@PAV123@@Z
+?createForFunctionScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@FunctionScope@3@_N3U?$TypedIndex@VScriptStencil@frontend@js@@@23@3V?$Maybe@U?$TypedIndex@VScope@js@@@frontend@js@@@mozilla@@PAU?$TypedIndex@VScope@js@@@23@@Z
+?growStorageBy@?$Vector@VScopeStencil@frontend@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?emitInitializeFunctionSpecialNames@BytecodeEmitter@frontend@js@@QAE_NXZ
+?lookup@EmitterScope@frontend@js@@QAE?AVNameLocation@23@PAUBytecodeEmitter@23@PBVParserAtom@23@@Z
+?prepareForRhs@NameOpEmitter@frontend@js@@QAE_NXZ
+?emitAssignment@NameOpEmitter@frontend@js@@QAE_NXZ
+?prepareForBody@FunctionScriptEmitter@frontend@js@@QAE_NXZ
+?emitInternedScopeOp@BytecodeEmitter@frontend@js@@QAE_NVGCThingIndex@3@W4JSOp@@@Z
+?updateSourceCoordNotes@BytecodeEmitter@frontend@js@@QAE_NI@Z
+?emitGet@NameOpEmitter@frontend@js@@QAE_NXZ
+?emitAssignment@PropOpEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?emitAtomOp@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@VGCThingIndex@3@W4ShouldInstrument@3@@Z
+?emitEndBody@FunctionScriptEmitter@frontend@js@@QAE_NXZ
+?leave@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@_N@Z
+?poison@?$OutOfLinePoisoner@$0CM@@detail@mozilla@@SAXPAXI@Z
+?markSimpleBreakpoint@BytecodeEmitter@frontend@js@@QAE_NXZ
+?new_@ImmutableScriptData@js@@SA?AV?$UniquePtr@VImmutableScriptData@js@@U?$DeletePolicy@VImmutableScriptData@js@@@JS@@@mozilla@@PAUJSContext@@IIIVGCThingIndex@2@I_NGV?$Span@$$CBE$0PPPPPPPP@@4@V?$Span@$$CBVSrcNote@js@@$0PPPPPPPP@@4@V?$Span@$$CBI$0PPPPPPPP@@4@V?$Span@$$CBUScopeNote@js@@$0PPPPPPPP@@4@V?$Span@$$CBUTryNote@js@@$0PPPPPPPP@@4@@Z
+?setDisplayURL@ScriptSource@js@@QAE_NPAUJSContext@@PB_S@Z
+?shareScriptData@SharedImmutableScriptData@js@@SA_NPAUJSContext@@AAV?$RefPtr@VSharedImmutableScriptData@js@@@@@Z
+??$match@UHasCompressedSource@ScriptSource@js@@ABV?$Variant@U?$Compressed@TUtf8Unit@mozilla@@$0A@@ScriptSource@js@@V?$Uncompressed@TUtf8Unit@mozilla@@$0A@@23@U?$Compressed@TUtf8Unit@mozilla@@$00@23@V?$Uncompressed@TUtf8Unit@mozilla@@$00@23@U?$Compressed@_S$0A@@23@V?$Uncompressed@_S$0A@@23@U?$Compressed@_S$00@23@V?$Uncompressed@_S$00@23@U?$Retrievable@TUtf8Unit@mozilla@@@23@U?$Retrievable@_S@23@UMissing@23@@mozilla@@@?$VariantImplementation@E$01U?$Compressed@TUtf8Unit@mozilla@@$00@ScriptSource@js@@V?$Uncompressed@TUtf8Unit@mozilla@@$00@23@U?$Compressed@_S$0A@@23@V?$Uncompressed@_S$0A@@23@U?$Compressed@_S$00@23@V?$Uncompressed@_S$00@23@U?$Retrievable@TUtf8Unit@mozilla@@@23@U?$Retrievable@_S@23@UMissing@23@@detail@mozilla@@SA?A?<decltype-auto>@@$$QAUHasCompressedSource@ScriptSource@js@@ABV?$Variant@U?$Compressed@TUtf8Unit@mozilla@@$0A@@ScriptSource@js@@V?$Uncompressed@TUtf8Unit@mozilla@@$0A@@23@U?$Compressed@TUtf8Unit@mozilla@@$00@23@V?$Uncompressed@TUtf8Unit@mozilla@@$00@23@U?$Compressed@_S$0A@@23@V?$Uncompressed@_S$0A@@23@U?$Compressed@_S$00@23@V?$Uncompressed@_S$00@23@U?$Retrievable@TUtf8Unit@mozilla@@@23@U?$Retrievable@_S@23@UMissing@23@@2@@Z
+?emitNonLazyEnd@FunctionEmitter@frontend@js@@QAE_NXZ
+?emitAtomOp@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@PBVParserAtom@23@W4ShouldInstrument@3@@Z
+?emitThis@CallOrNewEmitter@frontend@js@@QAE_NXZ
+?emitEnd@CallOrNewEmitter@frontend@js@@QAE_NIABV?$Maybe@I@mozilla@@@Z
+?emitCall@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@GPAVParseNode@23@@Z
+?emitSimple@FunctionParamsEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?prepareForKey@ElemOpEmitter@frontend@js@@QAE_NXZ
+?emitGet@ElemOpEmitter@frontend@js@@QAE_NXZ
+?emitElemOpBase@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@W4ShouldInstrument@3@@Z
+?emitJump@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@PAUJumpList@23@@Z
+?emitJumpTargetAndPatch@BytecodeEmitter@frontend@js@@QAE_NUJumpList@23@@Z
+?growStorageBy@?$Vector@E$0EA@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?emitGet@PropOpEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?prepareAtomIndex@PropOpEmitter@frontend@js@@AAE_NPBVParserAtom@23@@Z
+?growStorageBy@?$Vector@VTaggedScriptThingIndex@frontend@js@@$07VTempAllocPolicy@3@@mozilla@@AAE_NI@Z
+??0TryEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@W4Kind@012@W4ControlKind@012@@Z
+??0TryFinallyControl@frontend@js@@QAE@PAUBytecodeEmitter@12@W4StatementKind@12@@Z
+?emitTry@TryEmitter@frontend@js@@QAE_NXZ
+?emit1@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@@Z
+?emitCatch@TryEmitter@frontend@js@@QAE_NXZ
+?emitJumpTarget@BytecodeEmitter@frontend@js@@QAE_NPAUJumpTarget@23@@Z
+?emitScope@LexicalScopeEmitter@frontend@js@@QAE_NW4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@LexicalScope@3@@Z
+?enterLexical@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@W4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@LexicalScope@3@@Z
+?noteTDZCheck@TDZCheckCache@frontend@js@@QAE_NPAUBytecodeEmitter@23@PBVParserAtom@23@W4MaybeCheckTDZ@3@@Z
+?createForLexicalScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@W4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@LexicalScope@3@IV?$Maybe@U?$TypedIndex@VScope@js@@@frontend@js@@@mozilla@@PAU?$TypedIndex@VScope@js@@@23@@Z
+?growStorageBy@?$Vector@UScopeNote@js@@$0A@VTempAllocPolicy@2@@mozilla@@AAE_NI@Z
+?needsTDZCheck@TDZCheckCache@frontend@js@@QAE?AV?$Maybe@W4MaybeCheckTDZ@js@@@mozilla@@PAUBytecodeEmitter@23@PBVParserAtom@23@@Z
+?emitEnd@TryEmitter@frontend@js@@QAE_NXZ
+?addTryNote@BytecodeEmitter@frontend@js@@QAE_NW4TryNoteKind@3@IVBytecodeOffset@23@1@Z
+?growTo@?$VectorImpl@VObjLiteralStencil@js@@$0A@VSystemAllocPolicy@2@$0A@@detail@mozilla@@SA_NAAV?$Vector@VObjLiteralStencil@js@@$0A@VSystemAllocPolicy@2@@3@I@Z
+??1XDRIncrementalStencilEncoder@js@@UAE@XZ
+?emitLoopHead@LoopControl@frontend@js@@QAE_NPAUBytecodeEmitter@23@ABV?$Maybe@I@mozilla@@@Z
+?emitIncDec@NameOpEmitter@frontend@js@@QAE_NXZ
+?emitLoopEnd@LoopControl@frontend@js@@QAE_NPAUBytecodeEmitter@23@W4JSOp@@W4TryNoteKind@3@@Z
+??0LabelControl@frontend@js@@QAE@PAUBytecodeEmitter@12@PBVParserAtom@12@VBytecodeOffset@12@@Z
+?poison@?$OutOfLinePoisoner@$0DE@@detail@mozilla@@SAXPAXI@Z
+?enterNamedLambda@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVFunctionBox@23@@Z
+?reset@CallOrNewEmitter@frontend@js@@QAEXXZ
+??0CondEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?emitThen@IfEmitter@frontend@js@@QAE_NXZ
+?emitEnd@CondEmitter@frontend@js@@QAE_NXZ
+?emitElseIf@IfEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitBuiltinObject@BytecodeEmitter@frontend@js@@QAE_NW4BuiltinObjectKind@3@@Z
+?emitBody@DoWhileEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@0@Z
+??0LoopControl@frontend@js@@QAE@PAUBytecodeEmitter@12@W4StatementKind@12@@Z
+?emitCond@DoWhileEmitter@frontend@js@@QAE_NXZ
+?emitEnd@DoWhileEmitter@frontend@js@@QAE_NXZ
+?emitArgOp@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@G@Z
+?emitAssignment@FunctionParamsEmitter@frontend@js@@AAE_NPBVParserAtom@23@@Z
+??0NameOpEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@PBVParserAtom@12@ABVNameLocation@12@W4Kind@012@@Z
+?prepareForDefault@FunctionParamsEmitter@frontend@js@@QAE_NXZ
+?prepareForDefault@DefaultEmitter@frontend@js@@QAE_NXZ
+?emitIf@IfEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitDefaultEnd@FunctionParamsEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?emitInitializerEnd@FunctionParamsEmitter@frontend@js@@AAE_NXZ
+?emitEnd@DefaultEmitter@frontend@js@@QAE_NXZ
+?poison@?$OutOfLinePoisoner@$0CI@@detail@mozilla@@SAXPAXI@Z
+?enterFunctionExtraBodyVar@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVFunctionBox@23@@Z
+?init@?$BaseAbstractBindingIter@$$CBVParserAtom@frontend@js@@@js@@IAEXAAU?$AbstractData@$$CBVParserAtom@frontend@js@@@VarScope@2@I@Z
+?createForVarScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@W4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@VarScope@3@I_NV?$Maybe@U?$TypedIndex@VScope@js@@@frontend@js@@@mozilla@@PAU?$TypedIndex@VScope@js@@@23@@Z
+?init@?$BaseAbstractBindingIter@$$CBVParserAtom@frontend@js@@@js@@IAEXAAU?$AbstractData@$$CBVParserAtom@frontend@js@@@FunctionScope@2@E@Z
+?emitCond@WhileEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@00@Z
+?lineAt@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@UBEII@Z
+?emitBody@WhileEmitter@frontend@js@@QAE_NXZ
+?prepareForRhs@ElemOpEmitter@frontend@js@@QAE_NXZ
+?emitAssignment@ElemOpEmitter@frontend@js@@QAE_NXZ
+?emitDelete@ElemOpEmitter@frontend@js@@QAE_NXZ
+?emitEnd@WhileEmitter@frontend@js@@QAE_NXZ
+?emitLexicalInitialization@BytecodeEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?growStorageBy@?$Vector@VObjLiteralStencil@js@@$0A@VSystemAllocPolicy@2@@mozilla@@AAE_NI@Z
+?convertToHeapStorage@?$Vector@VObjLiteralStencil@js@@$0A@VSystemAllocPolicy@2@@mozilla@@AAE_NI@Z
+?prepareForPropValue@PropertyEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@W4Kind@123@@Z
+?emitInit@PropertyEmitter@frontend@js@@QAE_NW4AccessorType@23@PBVParserAtom@23@@Z
+?emitDupAt@BytecodeEmitter@frontend@js@@QAE_NII@Z
+??0ForOfEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@PBVEmitterScope@12@_NW4IteratorKind@2@@Z
+?emitIterated@ForOfEmitter@frontend@js@@QAE_NXZ
+?emitInitialize@ForOfEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitIterator@BytecodeEmitter@frontend@js@@QAE_NXZ
+?emitIteratorNext@BytecodeEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@W4IteratorKind@3@_N@Z
+?astGenerator@EitherParser@frontend@js@@UAEAAVFullParseHandler@23@XZ
+?emitEnd@ForOfEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitIteratorCloseInScope@BytecodeEmitter@frontend@js@@QAE_NAAVEmitterScope@23@W4IteratorKind@3@W4CompletionKind@3@_N@Z
+??0InternalIfEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?emitPushNotUndefinedOrNull@BytecodeEmitter@frontend@js@@QAE_NXZ
+?emitPopN@BytecodeEmitter@frontend@js@@QAE_NI@Z
+?poison@?$OutOfLinePoisoner@$0IE@@detail@mozilla@@SAXPAXI@Z
+?emitObject@ObjectEmitter@frontend@js@@QAE_NI@Z
+?prepareForComputedPropKey@PropertyEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@W4Kind@123@@Z
+?prepareForComputedPropValue@PropertyEmitter@frontend@js@@QAE_NXZ
+?emitInitIndexOrComputed@PropertyEmitter@frontend@js@@QAE_NW4AccessorType@23@@Z
+?BuiltinConstructorForName@js@@YA?AW4BuiltinObjectKind@1@PAUJSContext@@PBVParserAtom@frontend@1@@Z
+?ParserAtomToResumeKind@js@@YA?AW4GeneratorResumeKind@1@PAUJSContext@@PBVParserAtom@frontend@1@@Z
+?emitGetDotGeneratorInScope@BytecodeEmitter@frontend@js@@QAE_NAAVEmitterScope@23@@Z
+?emitYieldOp@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@@Z
+?growStorageBy@?$Vector@I$0A@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?emit2@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@E@Z
+?emitAsmJSModule@FunctionEmitter@frontend@js@@QAE_NXZ
+?emitFinally@TryEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitGoSub@BytecodeEmitter@frontend@js@@QAE_NPAUJumpList@23@@Z
+?patchJumpsToTarget@BytecodeEmitter@frontend@js@@QAEXUJumpList@23@UJumpTarget@23@@Z
+?emitAsyncIterator@BytecodeEmitter@frontend@js@@QAE_NXZ
+?deadZoneFrameSlots@EmitterScope@frontend@js@@QBE_NPAUBytecodeEmitter@23@@Z
+?emitPrepareForNonLocalJumpFromScope@ForOfLoopControl@frontend@js@@QAE_NPAUBytecodeEmitter@23@AAVEmitterScope@23@_NPAVBytecodeOffset@23@@Z
+?emitRest@FunctionParamsEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+??0SwitchEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?emitDiscriminant@SwitchEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?addNumber@TableGenerator@SwitchEmitter@frontend@js@@QAE_NH@Z
+?finish@TableGenerator@SwitchEmitter@frontend@js@@QAEXI@Z
+??$XDRCompilationStencil@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@AAUCompilationStencil@frontend@0@@Z
+?validateCaseCount@SwitchEmitter@frontend@js@@QAE_NI@Z
+?emitTable@SwitchEmitter@frontend@js@@QAE_NABVTableGenerator@123@@Z
+??0BreakableControl@frontend@js@@QAE@PAUBytecodeEmitter@12@W4StatementKind@12@@Z
+?emitN@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@IPAVBytecodeOffset@23@@Z
+?emitCaseBody@SwitchEmitter@frontend@js@@QAE_NHABVTableGenerator@123@@Z
+??0TDZCheckCache@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?emitDefaultBody@SwitchEmitter@frontend@js@@QAE_NXZ
+?emitEnd@SwitchEmitter@frontend@js@@QAE_NXZ
+?allocateResumeIndexRange@BytecodeEmitter@frontend@js@@QAE_NV?$Span@VBytecodeOffset@frontend@js@@$0PPPPPPPP@@mozilla@@PAI@Z
+?errorWithNotesAtVA@ErrorReportMixin@frontend@js@@QAEXV?$UniquePtr@VJSErrorNotes@@U?$DeletePolicy@VJSErrorNotes@@@JS@@@mozilla@@ABV?$Variant@IUCurrent@ErrorReportMixin@frontend@js@@UNoOffset@234@@5@IPAPAD@Z
+?emitFinishIteratorResult@BytecodeEmitter@frontend@js@@QAE_N_N@Z
+?emitPrepareIteratorResult@BytecodeEmitter@frontend@js@@QAE_NXZ
+?switchToTable@?$InlineTable@UInlineEntry@?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@VEntry@23@V?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@UNameMapHasher@23@VSystemAllocPolicy@3@@mozilla@@UNameMapHasher@frontend@3@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@$0BI@@detail@js@@AAE_NXZ
+?changeTableSize@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@UNameMapHasher@23@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?rehashIfOverloaded@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@UNameMapHasher@23@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@W4FailureBehavior@123@@Z
+?BuiltinPrototypeForName@js@@YA?AW4BuiltinObjectKind@1@PAUJSContext@@PBVParserAtom@frontend@1@@Z
+?emitIncDec@ElemOpEmitter@frontend@js@@QAE_NXZ
+??$add@AAPBVParserAtom@frontend@js@@AAI@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@UNameMapHasher@23@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@QAE_NAAVAddPtr@012@AAPBVParserAtom@frontend@js@@AAI@Z
+?growStorageBy@?$Vector@VTaggedParserAtomIndex@frontend@js@@$03VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?emitCond@SwitchEmitter@frontend@js@@QAE_NXZ
+?prepareForCaseValue@SwitchEmitter@frontend@js@@QAE_NXZ
+?emitCaseJump@SwitchEmitter@frontend@js@@QAE_NXZ
+?emitCaseBody@SwitchEmitter@frontend@js@@QAE_NXZ
+?patchAll@JumpList@frontend@js@@QAEXPAEUJumpTarget@23@@Z
+?emitAgain@FunctionEmitter@frontend@js@@QAE_NXZ
+?emitMutateProto@PropertyEmitter@frontend@js@@QAE_NXZ
+??0ClassEmitter@frontend@js@@QAE@PAUBytecodeEmitter@12@@Z
+?emitDerivedClass@ClassEmitter@frontend@js@@QAE_NPBVParserAtom@23@0_N@Z
+?emitSuperCallee@CallOrNewEmitter@frontend@js@@QAE_NXZ
+?emitThisEnvironmentCallee@BytecodeEmitter@frontend@js@@QAE_NXZ
+?emitSpreadArgumentsTest@CallOrNewEmitter@frontend@js@@QAE_NXZ
+?emitCheckDerivedClassConstructorReturn@BytecodeEmitter@frontend@js@@QAE_NXZ
+?emitInitConstructor@ClassEmitter@frontend@js@@QAE_N_N@Z
+?emitBinding@ClassEmitter@frontend@js@@QAE_NXZ
+?emitEnd@ClassEmitter@frontend@js@@QAE_NW4Kind@123@@Z
+??1AutoSaveLocalStrictMode@frontend@js@@QAE@XZ
+?emitClass@ClassEmitter@frontend@js@@QAE_NPBVParserAtom@23@0_N@Z
+?growStorageBy@?$Vector@E$0EA@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?NameFunctions@frontend@js@@YA_NPAUJSContext@@AAVParserAtomsTable@12@PAVParseNode@12@@Z
+?append@StringBuffer@js@@QAE_NPBVParserAtom@frontend@2@@Z
+?InterpretObjLiteral@js@@YAPAVJSObject@@PAUJSContext@@AAUCompilationAtomCache@frontend@1@ABV?$Vector@VTaggedParserAtomIndex@frontend@js@@$03VSystemAllocPolicy@3@@mozilla@@V?$Span@$$CBE$0PPPPPPPP@@7@V?$EnumSet@W4ObjLiteralFlag@js@@E@7@@Z
+GeckoHandleOOM
+?copyScriptFields@SharedContext@frontend@js@@QAEXAAVScriptStencil@23@@Z
+?InstantiateStencils@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@AAUCompilationGCOutput@12@@Z
+?instantiateStencils@CompilationInfo@frontend@js@@QAE_NPAUJSContext@@AAUCompilationGCOutput@23@@Z
+?growStorageBy@?$Vector@PAVJSAtom@@$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?growStorageBy@?$Vector@PAVJSFunction@@$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?growStorageBy@?$Vector@PAVScope@js@@$0A@VSystemAllocPolicy@2@@mozilla@@AAE_NI@Z
+?instantiateStencilsAfterPreparation@CompilationInfo@frontend@js@@QAE_NPAUJSContext@@AAUCompilationGCOutput@23@@Z
+?hasAtomAt@CompilationAtomCache@frontend@js@@QBE_NU?$TypedIndex@VParserAtom@frontend@js@@@23@@Z
+??$AtomizeChars@E@js@@YAPAVJSAtom@@PAUJSContext@@IPBEI@Z
+?setAtomAt@CompilationAtomCache@frontend@js@@QAE_NPAUJSContext@@U?$TypedIndex@VParserAtom@frontend@js@@@23@PAVJSAtom@@@Z
+?createInternal@ScriptSourceObject@js@@CAPAV12@PAUJSContext@@PAVScriptSource@2@V?$Handle@PAVJSObject@@@JS@@@Z
+?initFromOptions@ScriptSourceObject@js@@SA_NPAUJSContext@@V?$Handle@PAVScriptSourceObject@js@@@JS@@ABVReadOnlyCompileOptions@5@@Z
+?wrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@2@@Z
+?setPrivate@ScriptSourceObject@js@@QAEXPAUJSRuntime@@ABVValue@JS@@@Z
+?GetFunctionPrototype@js@@YA_NPAUJSContext@@W4GeneratorKind@1@W4FunctionAsyncKind@1@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+??$createSpecificScope@VFunctionScope@js@@VCallObject@2@@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+??$createSpecificScope@VLexicalScope@js@@VLexicalEnvironmentObject@2@@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+??0ScopeIter@js@@QAE@PAVJSScript@@@Z
+?ScopeKindString@js@@YAPBDW4ScopeKind@1@@Z
+??$markAtom@VJSAtom@@@AtomMarkingRuntime@gc@js@@QAEXPAUJSContext@@PAVJSAtom@@@Z
+?getChild@PropertyTree@js@@QAEPAVShape@2@PAUJSContext@@PAV32@V?$Handle@UStackShape@js@@@JS@@@Z
+??$createSpecificScope@VVarScope@js@@VVarEnvironmentObject@2@@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+?valueToNative@?$ElementSpecific@_JVUnsharedOps@js@@@js@@CA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PA_J@Z
+?fromStencil@JSScript@@SAPAV1@PAUJSContext@@AAUCompilationInfo@frontend@js@@AAUCompilationGCOutput@45@ABVScriptStencil@45@V?$Handle@PAVJSFunction@@@JS@@@Z
+??$Allocate@VBaseScript@js@@$00@js@@YAPAVBaseScript@0@PAUJSContext@@@Z
+?EmitScriptThingsVector@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@AAUCompilationGCOutput@12@V?$Span@$$CBVTaggedScriptThingIndex@frontend@js@@$0PPPPPPPP@@mozilla@@V?$Span@VGCCellPtr@JS@@$0PPPPPPPP@@7@@Z
+?enabled@StructuredSpewer@js@@QAE_NPAVJSScript@@@Z
+?getExistingAtomAt@CompilationAtomCache@frontend@js@@QBEPAVJSAtom@@PAUJSContext@@VTaggedParserAtomIndex@23@@Z
+?NewPlainObjectWithProperties@js@@YAPAVPlainObject@1@PAUJSContext@@PAUIdValuePair@1@IW4NewObjectKind@1@@Z
+?growStorageBy@?$Vector@UIdValuePair@js@@$07VTempAllocPolicy@2@@mozilla@@AAE_NI@Z
+?tryCompressOffThread@ScriptSource@js@@QAE_NPAUJSContext@@@Z
+?onNewScript@DebugAPI@js@@SAXPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+??1?$Rooted@UCompilationInfo@frontend@js@@@JS@@QAE@XZ
+?Execute@js@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?ExecuteKernel@js@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@V?$Handle@PAVJSObject@@@4@V?$Handle@VValue@JS@@@4@VAbstractFramePtr@1@V?$MutableHandle@VValue@JS@@@4@@Z
+?MaybeEnterJit@jit@js@@YA?AW4EnterJitStatus@12@PAUJSContext@@AAVRunState@2@@Z
+?CanEnterIon@jit@js@@YA?AW4MethodStatus@12@PAUJSContext@@AAVRunState@2@@Z
+?OffThreadCompilationAvailable@jit@js@@YA_NPAUJSContext@@@Z
+??$CanEnterBaselineMethod@$00@jit@js@@YA?AW4MethodStatus@01@PAUJSContext@@AAVRunState@1@@Z
+?ReportIsNotFunction@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@HW4MaybeConstruct@1@@Z
+?pushExecuteFrame@InterpreterStack@js@@QAEPAVInterpreterFrame@2@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@V?$Handle@VValue@JS@@@6@V?$Handle@PAVJSObject@@@6@VAbstractFramePtr@2@@Z
+?allocateFrame@InterpreterStack@js@@AAEPAEPAUJSContext@@I@Z
+?prologue@InterpreterFrame@js@@QAE_NPAUJSContext@@@Z
+?GlobalOrEvalDeclInstantiation@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSScript@@@4@VGCThingIndex@1@@Z
+??0?$AbstractBindingIter@VJSAtom@@@js@@QAE@PAVJSScript@@@Z
+?firstFrameSlot@Scope@js@@QBEIXZ
+?Lambda@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@@Z
+?CanReuseScriptForClone@js@@YA_NPAVRealm@JS@@V?$Handle@PAVJSFunction@@@3@V?$Handle@PAVJSObject@@@3@@Z
+?isExtensible@LexicalEnvironmentObject@js@@QBE_NXZ
+?CloneFunctionReuseScript@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@W4AllocKind@gc@1@2@Z
+?LookupProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@PAVJSObject@@@4@V?$MutableHandle@VPropertyResult@JS@@@4@@Z
+??$put@AAV?$Handle@PAVJSAtom@@@JS@@@?$HashSet@V?$HeapPtr@PAVJSAtom@@@js@@U?$DefaultHasher@PAVJSAtom@@X@mozilla@@VZoneAllocPolicy@2@@mozilla@@QAE_NAAV?$Handle@PAVJSAtom@@@JS@@@Z
+?changeTableSize@?$HashTable@$$CBV?$HeapPtr@PAVJSAtom@@@js@@USetHashPolicy@?$HashSet@V?$HeapPtr@PAVJSAtom@@@js@@U?$DefaultHasher@PAVJSAtom@@X@mozilla@@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$pod_arena_malloc@UFakeSlot@?$HashTable@$$CBV?$HeapPtr@PAVJSAtom@@@js@@USetHashPolicy@?$HashSet@V?$HeapPtr@PAVJSAtom@@@js@@U?$DefaultHasher@PAVJSAtom@@X@mozilla@@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAUFakeSlot@?$HashTable@$$CBV?$HeapPtr@PAVJSAtom@@@js@@USetHashPolicy@?$HashSet@V?$HeapPtr@PAVJSAtom@@@js@@U?$DefaultHasher@PAVJSAtom@@X@mozilla@@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@II@Z
+??$AllocateObject@$0A@@js@@YAPAVJSObject@@PAUJSContext@@W4AllocKind@gc@0@IW4InitialHeap@40@PBUJSClass@@@Z
+?destroyStoredT@?$HashTableEntry@$$CBV?$HeapPtr@PAVJSAtom@@@js@@@detail@mozilla@@AAEXXZ
+?decMemory@ZoneAllocPolicy@js@@AAEXI@Z
+?maybePurgeCache@ShapeCachePtr@js@@QAEXPAVJSFreeOp@@PAVBaseShape@2@@Z
+?hashify@Shape@js@@KA_NPAUJSContext@@PAV12@@Z
+?allocDictionarySlot@NativeObject@js@@SA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@PAI@Z
+?lookup@NativeObject@js@@QAEPAVShape@2@PAUJSContext@@UPropertyKey@JS@@@Z
+??$NativeSetProperty@$00@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@3AAVObjectOpResult@3@@Z
+?addEnumerableDataProperty@NativeObject@js@@SAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@6@@Z
+?NewObjectOperation@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4NewObjectKind@1@@Z
+?SetPrototype@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?SetPrototype@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1AAVObjectOpResult@4@@Z
+?InitClass@js@@YAPAVNativeObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1PBUJSClass@@P6A_N0IPAVValue@5@@ZIPBUJSPropertySpec@@PBUJSFunctionSpec@@56PAPAV21@@Z
+?InternalCallOrConstruct@js@@YA_NPAUJSContext@@ABVCallArgs@JS@@W4MaybeConstruct@1@W4CallReason@1@@Z
+?setUnchecked@?$GCPtr@VValue@JS@@@js@@AAEXABVValue@JS@@@Z
+?CheckClassHeritageOperation@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+??$StrictlyEqual@$00@jit@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?GetOrCreateBuiltinObject@js@@YAPAVJSObject@@PAUJSContext@@W4BuiltinObjectKind@1@@Z
+?module@JSScript@@QBEPAVModuleObject@js@@XZ
+?isDerivedClassConstructor@JSFunction@@QBE_NXZ
+?CreateThisForFunction@js@@YAPAVPlainObject@1@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@W4NewObjectKind@1@@Z
+?GetPrototypeFromConstructor@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4JSProtoKey@@V?$MutableHandle@PAVJSObject@@@4@@Z
+?NativeGetProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@VValue@JS@@@4@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?NewObjectWithGroupCommon@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVObjectGroup@js@@@JS@@W4AllocKind@gc@1@W4NewObjectKind@1@@Z
+??1TraceLoggerEvent@js@@QAE@XZ
+?obj_create@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?epilogue@InterpreterFrame@js@@QAEXPAUJSContext@@PAE@Z
+??0EnvironmentIter@js@@QAE@PAUJSContext@@VAbstractFramePtr@1@PAE@Z
+?innermostScope@JSScript@@QBEPAVScope@js@@PAE@Z
+?UnwindAllEnvironmentsInFrame@js@@YAXPAUJSContext@@AAVEnvironmentIter@1@@Z
+?hasNonSyntacticEnvironmentObject@EnvironmentIter@js@@QBE_NXZ
+?incrementScopeIter@EnvironmentIter@js@@AAEXXZ
+?settle@EnvironmentIter@js@@AAEXXZ
+?initializeSlotRange@NativeObject@js@@IAEXII@Z
+?putDataProperty@NativeObject@js@@SAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@6@I@Z
+?NewDenseFullyAllocatedArray@js@@YIPAVArrayObject@1@PAUJSContext@@IV?$Handle@PAVJSObject@@@JS@@W4NewObjectKind@1@@Z
+?insertInitialShape@EmptyShape@js@@SAXPAUJSContext@@V?$Handle@PAVShape@js@@@JS@@V?$Handle@PAVJSObject@@@5@@Z
+?fillProto@NewObjectCache@js@@QAEXHPBUJSClass@@VTaggedProto@2@W4AllocKind@gc@2@PAVNativeObject@2@@Z
+?DefineDataElement@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$Handle@VValue@JS@@@4@I@Z
+?cachify@Shape@js@@KA_NPAUJSContext@@PAV12@@Z
+?trace@?$RootedTraceable@U?$ValueArray@$03@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?freezeSelfHostingZone@GCRuntime@gc@js@@QAEXXZ
+?GCCallback@CycleCollectedJSRuntime@mozilla@@CAXPAUJSContext@@W4JSGCStatus@@W4GCReason@JS@@PAX@Z
+?OnGC@CycleCollectedJSRuntime@mozilla@@QAEXPAUJSContext@@W4JSGCStatus@@W4GCReason@JS@@@Z
+?nsCycleCollector_prepareForGarbageCollection@@YAXXZ
+?PrepareForFullGC@JS@@YAXPAUJSContext@@@Z
+?NACScope@xpc@@YAPAVJSObject@@PAV2@@Z
+?canCollect@Zone@JS@@QAE_NXZ
+?beginSlice@Statistics@gcstats@js@@QAEXABUZoneGCStats@23@W4JSGCInvocationKind@@VSliceBudget@3@W4GCReason@JS@@@Z
+?GetPageFaultCount@gc@js@@YAIXZ
+?put@?$WeakMapPtr@PAVJSObject@@PAV1@@JS@@QAE_NPAUJSContext@@ABQAVJSObject@@1@Z
+?ExplainAbortReason@gcstats@js@@YAPBDW4GCAbortReason@2@@Z
+?activeGCInAtomsZone@JSRuntime@@QAE_NXZ
+?changeGCState@Zone@JS@@QAEXW4GCState@1shadow@2@0@Z
+??0GCZonesIter@gc@js@@QAE@PAVGCRuntime@12@@Z
+?discardJitCode@Zone@JS@@QAEXPAVJSFreeOp@@W4ShouldDiscardBaselineCode@12@W4ShouldDiscardJitScripts@12@@Z
+?MarkActiveJitScripts@jit@js@@YAXPAVZone@JS@@@Z
+?InvalidateAll@jit@js@@YAXPAVJSFreeOp@@PAVZone@JS@@@Z
+?initForTenuredIteration@?$ZoneAllCellIter@VTenuredCell@gc@js@@@gc@js@@IAEXPAVZone@JS@@W4AllocKind@23@@Z
+?settle@?$NestedIterator@VArenaIter@gc@js@@VArenaCellIter@23@@js@@AAEXXZ
+?freeAllAfterMinorGC@ICStubSpace@jit@js@@QAEXPAVZone@JS@@@Z
+??0AutoSetHelperThreadContext@js@@QAE@AAVAutoLockHelperThreadState@1@@Z
+?purge@Realm@JS@@QAEXXZ
+?setHelperThread@JSContext@@QAEXABVAutoLockHelperThreadState@js@@@Z
+?postBarrier@?$InternalBarrierMethods@PAVJSString@@@js@@SAXPAPAVJSString@@PAV3@1@Z
+?purgeAtomCache@Zone@JS@@QAEXXZ
+?transferUnusedFrom@LifoAlloc@js@@QAEXPAV12@@Z
+??1AutoSetHelperThreadContext@js@@QAE@XZ
+?releaseAll@LifoAlloc@js@@QAEXXZ
+?clearHelperThread@JSContext@@QAEXABVAutoLockHelperThreadState@js@@@Z
+?unmarkZone@WeakMapBase@js@@SAXPAVZone@JS@@@Z
+?clear@?$OrderedHashTable@VEntry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@UMapOps@23@VSystemAllocPolicy@3@@detail@js@@QAE_NXZ
+?purgeAll@?$CollectionPool@V?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@V?$InlineTablePool@V?$InlineMap@PBVParserAtom@frontend@js@@U?$RecyclableAtomMapValueWrapper@I@23@$0BI@UNameMapHasher@23@VSystemAllocPolicy@3@V?$DefaultKeyPolicy@PBVParserAtom@frontend@js@@@detail@3@@js@@@frontend@2@@frontend@js@@QAEXXZ
+?purgeAll@?$CollectionPool@V?$Vector@PBVParserAtom@frontend@js@@$0BI@VSystemAllocPolicy@3@@mozilla@@V?$VectorPool@V?$Vector@PBVParserAtom@frontend@js@@$0BI@VSystemAllocPolicy@3@@mozilla@@@frontend@js@@@frontend@js@@QAEXXZ
+?purge@GSNCache@js@@QAEXXZ
+?purge@UncompressedSourceCache@js@@QAEXXZ
+?triggerFreeUnusedMemory@GlobalHelperThreadState@js@@QAEXXZ
+?recordParallelPhase@Statistics@gcstats@js@@QAEXW4PhaseKind@23@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@@Z
+?wait@GlobalHelperThreadState@js@@QAEXAAVAutoLockHelperThreadState@2@W4CondVar@12@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@@Z
+?traceRuntimeForMajorGC@GCRuntime@gc@js@@AAEXPAVJSTracer@@AAVAutoGCSession@23@@Z
+?tracePermanentAtoms@JSRuntime@@QAEXPAVJSTracer@@@Z
+?trace@StaticStrings@js@@QAEXPAVJSTracer@@@Z
+?TraceAtoms@js@@YAXPAVJSTracer@@ABVAutoAccessAtomsZone@1@@Z
+?TraceWellKnownSymbols@js@@YAXPAVJSTracer@@@Z
+??$TraceProcessGlobalRoot@VSymbol@JS@@@js@@YAXPAVJSTracer@@PAVSymbol@JS@@PBD@Z
+?TraceAtomZoneRoots@JitRuntime@jit@js@@SAXPAVJSTracer@@ABVAutoAccessAtomsZone@3@@Z
+??$TraceEdgeInternal@PAVJitCode@jit@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVJitCode@jit@1@PBD@Z
+?traceIncomingCrossCompartmentEdgesForZoneGC@Compartment@JS@@SAXPAVJSTracer@@W4EdgeSelector@12@@Z
+?traceCrossCompartmentEdges@DebugAPI@js@@SAXPAVJSTracer@@@Z
+?markFinalizationRegistryRoots@GCRuntime@gc@js@@AAEXPAVJSTracer@@@Z
+?trace@StackShape@js@@QAEXPAVJSTracer@@@Z
+?TraceInterpreterActivations@js@@YAXPAUJSContext@@PAVJSTracer@@@Z
+?TraceJitActivations@jit@js@@YAXPAUJSContext@@PAVJSTracer@@@Z
+??$TraceEdgeInternal@PAVJSObject@@@gc@js@@YA_NPAVJSTracer@@PAPAVJSObject@@PBD@Z
+?traceSelfHostingGlobal@JSRuntime@@QAEXPAVJSTracer@@@Z
+?trace@SharedIntlData@intl@js@@QAEXPAVJSTracer@@@Z
+?trace@JSContext@@QAEXPAVJSTracer@@@Z
+?trace@GeckoProfilerThread@js@@QAEXPAVJSTracer@@@Z
+?traceRoots@Realm@JS@@QAEXPAVJSTracer@@W4TraceOrMarkRuntime@GCRuntime@gc@js@@@Z
+?next@?$NestedIterator@VNonAtomZonesIter@js@@V?$NestedIterator@UCompartmentsInZoneIter@js@@VRealmsInCompartmentIter@2@@2@@js@@QAEXXZ
+?settle@?$NestedIterator@VNonAtomZonesIter@js@@V?$NestedIterator@UCompartmentsInZoneIter@js@@VRealmsInCompartmentIter@2@@2@@js@@AAEXXZ
+?traceScriptTableRoots@Zone@JS@@QAEXPAVJSTracer@@@Z
+?trace@GlobalHelperThreadState@js@@QAEXPAVJSTracer@@@Z
+?traceFramesWithLiveHooks@DebugAPI@js@@SAXPAVJSTracer@@@Z
+?TraceBlackJS@CycleCollectedJSRuntime@mozilla@@CAXPAVJSTracer@@PAX@Z
+?GetIsShuttingDown@nsXPConnect@@UAG?AW4nsresult@@PA_N@Z
+?TraceBlackJS@dom@mozilla@@YAXPAVJSTracer@@_N@Z
+??0Iterator@PLDHashTable@@QAE@PAV1@@Z
+??1Iterator@PLDHashTable@@QAE@XZ
+?traceKeptObjects@GCRuntime@gc@js@@QAEXPAVJSTracer@@@Z
+?traceKeptObjects@Zone@JS@@QAEXPAVJSTracer@@@Z
+?updateMemoryCountersOnGCStart@ZoneAllocator@js@@QAEXXZ
+?measureInitialHeapSize@Statistics@gcstats@js@@QAEXXZ
+?StartHandlingCompressionsOnGC@js@@YAXPAUJSRuntime@@@Z
+?traceWrapperGCRooters@RootingContext@JS@@QAEXPAVJSTracer@@@Z
+?markUntilBudgetExhausted@GCMarker@js@@QAE_NAAVSliceBudget@2@W4ShouldReportMarkTime@12@@Z
+?JS_GlobalObjectTraceHook@@YAXPAVJSTracer@@PAVJSObject@@@Z
+?traceGlobal@Realm@JS@@QAEXPAVJSTracer@@@Z
+?trace@?$GCHashMap@UPCKey@SavedStacks@js@@ULocationValue@23@UPCLocationHasher@23@VSystemAllocPolicy@3@U?$DefaultMapSweepPolicy@UPCKey@SavedStacks@js@@ULocationValue@23@@JS@@@JS@@QAEXPAVJSTracer@@@Z
+?rehashTableInPlace@?$HashTable@$$CBUInitialShapeEntry@js@@USetHashPolicy@?$HashSet@UInitialShapeEntry@js@@U12@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAEXXZ
+?traceFromRealm@DebugAPI@js@@SAXPAVJSTracer@@PAVRealm@JS@@@Z
+??$TraceEdgeInternal@PAVJSString@@@gc@js@@YA_NPAVJSTracer@@PAPAVJSString@@PBD@Z
+?eagerlyMarkChildren@GCMarker@js@@AAEXPAVShape@2@@Z
+??$TraceEdgeInternal@PAVBaseShape@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVBaseShape@1@PBD@Z
+?traceChildren@BaseShape@js@@QAEXPAVJSTracer@@@Z
+?restoreWeakDelegate@GCMarker@js@@QAEXPAVJSObject@@0@Z
+?eagerlyMarkChildren@GCMarker@js@@AAEXPAVScope@2@@Z
+??$TraceEdgeInternal@PAVBaseScript@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVBaseScript@1@PBD@Z
+?trace@PrivateScriptData@js@@QAEXPAVJSTracer@@@Z
+?TraceManuallyBarrieredGenericPointerEdge@js@@YAXPAVJSTracer@@PAPAUCell@gc@1@PBD@Z
+?releaseScriptCounts@JSScript@@QAEXPAVScriptCounts@js@@@Z
+??$TraceEdgeInternal@VValue@JS@@@gc@js@@YA_NPAVJSTracer@@PAVValue@JS@@PBD@Z
+?TraceJumpRelocations@Assembler@jit@js@@SAXPAVJSTracer@@PAVJitCode@23@AAVCompactBufferReader@23@@Z
+?dropStringWrappersOnGC@Zone@JS@@QAEXXZ
+?setMarkColor@GCMarker@js@@QAEXW4MarkColor@gc@2@@Z
+?setMainStackColor@GCMarker@js@@QAEXW4MarkColor@gc@2@@Z
+?TraceGrayJS@CycleCollectedJSRuntime@mozilla@@CAXPAVJSTracer@@PAX@Z
+?TraceNativeGrayRoots@CycleCollectedJSRuntime@mozilla@@AAEXPAVJSTracer@@W4WhichHolders@JSHolderMap@2@@Z
+?TraceWrappedNativesInAllScopes@XPCWrappedNativeScope@@SAXPAVXPCJSRuntime@@PAVJSTracer@@@Z
+?_Xlen@?$deque@HV?$allocator@H@std@@@std@@IBEXXZ
+?enterWeakMarkingMode@Zone@JS@@QAE?AW4IncrementalProgress@gc@js@@PAVGCMarker@5@AAVSliceBudget@5@@Z
+?MarkJitcodeGlobalTableIteratively@JitRuntime@jit@js@@SA_NPAVGCMarker@3@@Z
+?markIteratively@JitcodeGlobalTable@jit@js@@QAE_NPAVGCMarker@3@@Z
+?WeakPointerCompartmentCallback@XPCJSRuntime@@SAXPAUJSContext@@PAVCompartment@JS@@PAX@Z
+?bitwiseAndWith@SparseBitmap@js@@QAEXABVDenseBitmap@2@@Z
+?traceWeak@?$GCHashSet@V?$HeapPtr@PAVJSAtom@@@js@@U?$DefaultHasher@PAVJSAtom@@X@mozilla@@VZoneAllocPolicy@2@@JS@@QAEXPAVJSTracer@@@Z
+?sweepAll@DebugAPI@js@@SAXPAVJSFreeOp@@@Z
+?IsBoundToMediaElement@MediaKeys@dom@mozilla@@QBE_NXZ
+?needsSweep@?$WeakCache@V?$GCHashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@JS@@@JS@@UAE_NXZ
+?DependsOnBegin@SMILTimeValueSpec@mozilla@@QBE_NXZ
+?Type@GridLine@dom@mozilla@@QBE?AW4GridDeclaration@23@XZ
+?TraceWeakJitcodeGlobalTable@JitRuntime@jit@js@@SAXPAUJSRuntime@@PAVJSTracer@@@Z
+?traceWeak@JitcodeGlobalTable@jit@js@@QAEXPAUJSRuntime@@PAVJSTracer@@@Z
+?traceWeak@?$GCHashMap@UCacheIRStubKey@jit@js@@V?$WeakHeapPtr@PAVJitCode@jit@js@@@3@U123@VSystemAllocPolicy@3@UBaselineCacheIRStubCodeMapGCPolicy@23@@JS@@QAEXPAVJSTracer@@@Z
+?traceWeak@?$GCHashMap@V?$WeakHeapPtr@PAVBaseScript@js@@@js@@V?$GCVector@VRecompileInfo@jit@js@@$00VSystemAllocPolicy@3@@JS@@U?$MovableCellHasher@V?$WeakHeapPtr@PAVBaseScript@js@@@js@@@2@VSystemAllocPolicy@2@U?$DefaultMapSweepPolicy@V?$WeakHeapPtr@PAVBaseScript@js@@@js@@V?$GCVector@VRecompileInfo@jit@js@@$00VSystemAllocPolicy@3@@JS@@@4@@JS@@QAEXPAVJSTracer@@@Z
+?sweep@WeakRefMap@js@@QAEXPAVStoreBuffer@gc@2@@Z
+?sweepAllCrossCompartmentWrappers@Zone@JS@@QAEXXZ
+?sweep@ObjectWrapperMap@js@@QAEXXZ
+?traceWeakObjects@Realm@JS@@QAEXPAVJSTracer@@@Z
+?AttachFinishedCompressions@js@@YAXPAUJSRuntime@@AAVAutoLockHelperThreadState@1@@Z
+?SweepPendingCompressions@js@@YAXAAVAutoLockHelperThreadState@1@@Z
+??$DoCallback@VJSObject@@@@YA_NPAVGenericTracer@js@@PAPAVJSObject@@PBD@Z
+?sweepWeakMaps@Zone@JS@@QAEXXZ
+?onBigIntEdge@SweepingTracer@gc@js@@UAEPAVBigInt@JS@@PAV45@@Z
+?traceWeakTemplateObjects@Realm@JS@@QAEXPAVJSTracer@@@Z
+?traceWeak@?$GCHashSet@V?$WeakHeapPtr@PAVSavedFrame@js@@@js@@UHashPolicy@SavedFrame@2@VSystemAllocPolicy@2@@JS@@QAEXPAVJSTracer@@@Z
+?traceWeak@?$GCHashMap@UPCKey@SavedStacks@js@@ULocationValue@23@UPCLocationHasher@23@VSystemAllocPolicy@3@U?$DefaultMapSweepPolicy@UPCKey@SavedStacks@js@@ULocationValue@23@@JS@@@JS@@QAEXPAVJSTracer@@@Z
+?traceWeakObjectRealm@Realm@JS@@QAEXPAVJSTracer@@@Z
+?traceWeakRegExps@Realm@JS@@QAEXPAVJSTracer@@@Z
+?endSCC@Statistics@gcstats@js@@QAEXIVTimeStamp@mozilla@@@Z
+?onBaseShapeEdge@MovingTracer@gc@js@@UAEPAVBaseShape@3@PAV43@@Z
+?finalize@BaseScript@js@@QAEXPAVJSFreeOp@@@Z
+?destroyDebugScript@DebugAPI@js@@SAXPAVJSFreeOp@@PAVJSScript@@@Z
+?sweep@Shape@js@@QAEXPAVJSFreeOp@@@Z
+??1JSFreeOp@@QAE@XZ
+?purge@ExecutableAllocator@jit@js@@QAEXXZ
+?append@ZoneList@gc@js@@QAEXPAVZone@JS@@@Z
+?transferFrom@ZoneList@gc@js@@QAEXAAV123@@Z
+?SweepScriptData@js@@YAXPAUJSRuntime@@@Z
+?removeFront@ZoneList@gc@js@@QAEPAVZone@JS@@XZ
+?finalize@BaseShape@js@@QAEXPAVJSFreeOp@@@Z
+??0AutoSuppressProfilerSampling@js@@QAE@PAUJSContext@@@Z
+?GetAbsoluteListID@ViewportFrame@mozilla@@EBE?AW4FrameChildListID@layout@2@XZ
+?RemoveRawValueRoot@js@@YAXPAUJSContext@@PAVValue@JS@@@Z
+?AllocateCellInGC@gc@js@@YAPAVTenuredCell@12@PAVZone@JS@@W4AllocKind@12@@Z
+?fixupInitialShapeTable@Zone@JS@@QAEXXZ
+?fixupScriptMapsAfterMovingGC@Zone@JS@@QAEXPAVJSTracer@@@Z
+?fixupAfterMovingGC@Compartment@JS@@QAEXPAVJSTracer@@@Z
+?fixupAfterMovingGC@Realm@JS@@QAEXPAVJSTracer@@@Z
+?fixupNewTableAfterMovingGC@ObjectGroupRealm@js@@AAEXPAVNewTable@12@@Z
+?traceChildren@BaseScript@js@@QAEXPAVJSTracer@@@Z
+?traceChildren@Scope@js@@QAEXPAVJSTracer@@@Z
+?traceChildren@ObjectGroup@js@@QAEXPAVJSTracer@@@Z
+?fixupAfterMovingGC@Shape@js@@QAEXXZ
+?traceChildren@Shape@js@@QAEXPAVJSTracer@@@Z
+?traceChildren@JSObject@@QAEXPAVJSTracer@@@Z
+??$TraceEdgeInternal@PAVObjectGroup@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVObjectGroup@1@PBD@Z
+??$TraceEdgeInternal@PAVShape@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVShape@1@PBD@Z
+??$DoCallback@VValue@JS@@@@YA_NPAVGenericTracer@js@@PAVValue@JS@@PBD@Z
+?traceZone@WeakMapBase@js@@SAXPAVZone@JS@@PAVJSTracer@@@Z
+?sweep@?$WeakCache@V?$GCHashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@JS@@@JS@@UAEIPAVStoreBuffer@gc@js@@@Z
+??$XDRScriptRegExpObject@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@V?$MutableHandle@PAVRegExpObject@js@@@JS@@@Z
+?sweep@InnerViewTable@js@@QAEXXZ
+??$pod_arena_malloc@I@?$MallocProvider@UJSContext@@@js@@QAEPAIII@Z
+?fixupAllCrossCompartmentWrappersAfterMovingGC@Zone@JS@@SAXPAVJSTracer@@@Z
+?traceWrapperTargetsInCollectedZones@Compartment@JS@@QAEXPAVJSTracer@@W4EdgeSelector@12@@Z
+?fixupStringsMapAfterMovingGC@GeckoProfilerRuntime@js@@QAEXXZ
+?traceAllForMovingGC@DebugAPI@js@@SAXPAVJSTracer@@@Z
+?stop@GCMarker@js@@QAEXXZ
+?resetBufferedGrayRoots@GCRuntime@gc@js@@AAEXXZ
+?notifyObservingDebuggers@Zone@JS@@QAEXXZ
+??0AutoAssertNoGC@JS@@QAE@PAUJSContext@@@Z
+?endSlice@Statistics@gcstats@js@@QAEXXZ
+?FactoryGet@BooleanHistogram@base@@SAPAVHistogram@2@W4Flags@32@PBH@Z
+?currentPhaseKind@Statistics@gcstats@js@@QBE?AW4PhaseKind@23@XZ
+?formatCompactSliceMessage@Statistics@gcstats@js@@QBE?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@XZ
+?FinalizeDeferredThings@CycleCollectedJSRuntime@mozilla@@QAEXW4DeferredFinalizeType@CycleCollectedJSContext@2@@Z
+?EnqueuePendingParseTasksAfterGC@js@@YAXPAUJSRuntime@@@Z
+??1JSAutoRealm@@QAE@XZ
+??1AutoDisableGenerationalGC@JS@@QAE@XZ
+?enable@Nursery@js@@QAEXXZ
+?initMainAtomsTables@JSRuntime@@QAE_NPAUJSContext@@@Z
+?fromPinnedString@PropertyKey@JS@@SA?AU12@PAVJSString@@@Z
+?DefineStaticJSVals@dom@mozilla@@YA_NPAUJSContext@@@Z
+?InitStatics@mozJSComponentLoader@@SAXXZ
+?GetSingleton@ScriptPreloader@mozilla@@SAAAV12@XZ
+?Recv__delete__@ScriptCacheParent@loader@mozilla@@IAE?AVIPCResult@ipc@3@$$QAV?$nsTArray@VScriptData@loader@mozilla@@@@@Z
+?GetCachedScript@ScriptPreloader@mozilla@@QAEPAVJSScript@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@ABV?$nsTString@D@@@Z
+??0AutoJSAPI@dom@mozilla@@QAE@XZ
+?Init@AutoJSAPI@dom@mozilla@@QAEXXZ
+??0JSAutoNullableRealm@@QAE@PAUJSContext@@PAVJSObject@@@Z
+??1AutoJSAPI@dom@mozilla@@QAE@XZ
+?GetChildSingleton@ScriptPreloader@mozilla@@SAAAV12@XZ
+?Get@XPCJSRuntime@@SAPAV1@XZ
+?LoaderGlobal@XPCJSRuntime@@QAEPAVJSObject@@XZ
+?GetSharedGlobal@mozJSComponentLoader@@AAEPAVJSObject@@PAUJSContext@@@Z
+??0BackstagePass@@QAE@XZ
+??0nsIGlobalObject@@IAE@XZ
+?AddRef@BackstagePass@@UAGKXZ
+?SetPrefableRealmOptions@xpc@@YAXAAVRealmOptions@JS@@@Z
+?InitClassesWithNewWrappedGlobal@xpc@@YA?AW4nsresult@@PAUJSContext@@PAVnsISupports@@PAVnsIPrincipal@@IAAVRealmOptions@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?QueryInterface@BackstagePass@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetResponseObserver@PermissionRequestBase@indexedDB@dom@mozilla@@EAG?AW4nsresult@@PAPAVnsIObserver@@@Z
+?CreateGlobalObject@xpc@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@PAVnsIPrincipal@@AAVRealmOptions@JS@@@Z
+?GetSiteIdentifier@NullPrincipal@mozilla@@UAE?AW4nsresult@@AAVSiteIdentifier@2@@Z
+?JS_NewGlobalObject@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@PAUJSPrincipals@@W4OnNewGlobalHookOption@JS@@ABVRealmOptions@6@@Z
+?new_@GlobalObject@js@@SAPAV12@PAUJSContext@@PBUJSClass@@PAUJSPrincipals@@W4OnNewGlobalHookOption@JS@@ABVRealmOptions@7@@Z
+?Init@RealmPrivate@xpc@@SAXV?$Handle@PAVJSObject@@@JS@@ABVSiteIdentifier@mozilla@@@Z
+??0XPCWrappedNativeScope@@QAE@PAVCompartment@JS@@V?$Handle@PAVJSObject@@@2@@Z
+?GetObjectPrincipal@xpc@@YAPAVnsIPrincipal@@PAVJSObject@@@Z
+?Release@nsJSPrincipals@@UAGKXZ
+?Unlink@cycleCollection@ContentPermissionRequestBase@dom@mozilla@@UAGXPAX@Z
+?XPC_WN_Helper_Construct@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetNewOrUsed@XPCNativeInterface@@SA?AU?$already_AddRefed@VXPCNativeInterface@@@@PAUJSContext@@PBUnsID@@@Z
+?InterfaceByIID@detail@xpt@@YAPBUnsXPTInterfaceInfo@@ABUnsID@@@Z
+?AddRef@nsPresContext@@UAGKXZ
+?GetId@nsXPTMethodInfo@@QBE_NPAUJSContext@@AAUPropertyKey@JS@@@Z
+?createBlock@SparseBitmap@js@@AAEPAV?$Array@I$0EAA@@mozilla@@VAddPtr@?$HashTable@V?$HashMapEntry@IPAV?$Array@I$0EAA@@mozilla@@@mozilla@@UMapHashPolicy@?$HashMap@IPAV?$Array@I$0EAA@@mozilla@@U?$DefaultHasher@IX@2@VSystemAllocPolicy@js@@@2@VSystemAllocPolicy@js@@@detail@4@I@Z
+??$pod_arena_malloc@UPropertyKey@JS@@@TempAllocPolicy@js@@QAEPAUPropertyKey@JS@@II@Z
+?privateValue@OwningCompileOptions@JS@@UBE?AVValue@2@XZ
+?SizeOfIncludingThis@ClassInfo2WrappedNativeProtoMap@@QBEIP6AIPBX@Z@Z
+?HeapObjectPostWriteBarrier@JS@@YAXPAPAVJSObject@@PAV2@1@Z
+?GetRealmObjectPrototype@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?JS_DefineFunctions@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBUJSFunctionSpec@@@Z
+?getSelfHostedFunction@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@V?$Handle@PAVPropertyName@js@@@5@V?$Handle@PAVJSAtom@@@5@IV?$MutableHandle@VValue@JS@@@5@@Z
+?createLazySelfHostedFunctionClone@JSRuntime@@QAE_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@PAVJSAtom@@@4@IW4NewObjectKind@js@@V?$MutableHandle@PAVJSFunction@@@4@@Z
+?lookupPure@NativeObject@js@@QAEPAVShape@2@UPropertyKey@JS@@@Z
+?NewScriptedFunction@js@@YAPAVJSFunction@@PAUJSContext@@IVFunctionFlags@1@V?$Handle@PAVJSAtom@@@JS@@V?$Handle@PAVJSObject@@@6@W4AllocKind@gc@1@W4NewObjectKind@1@3@Z
+?CloneAsmJSModuleFunction@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?append@StringBuffer@js@@QAE_NPAVJSLinearString@@@Z
+??$AtomizeChars@E@js@@YAPAVJSAtom@@PAUJSContext@@PBEIW4PinningBehavior@0@@Z
+?JS_DefineProperties@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBUJSPropertySpec@@@Z
+?JS_GetPropertyDescriptorById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$MutableHandle@UPropertyDescriptor@JS@@@3@@Z
+?JS_NewObjectWithUniqueType@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_SplicePrototype@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?exposeToJS@?$BarrierMethods@PAVJSObject@@@js@@SAXPAVJSObject@@@Z
+?FindTearOff@XPCWrappedNative@@QAEPAVXPCWrappedNativeTearOff@@PAUJSContext@@PAVXPCNativeInterface@@_NPAW4nsresult@@@Z
+?JSPrincipalsSubsume@nsScriptSecurityManager@@CA_NPAUJSPrincipals@@0@Z
+?Release@XPCWrappedNative@@UAGKXZ
+?InitGlobalObject@xpc@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@I@Z
+?AttachComponentsObject@XPCWrappedNativeScope@@QAE_NPAUJSContext@@@Z
+?QueryInterface@nsXPCComponents@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NativeInterface2JSObject@XPCConvert@@SA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVxpcObjectHelper@@PBUnsID@@_NPAW4nsresult@@@Z
+?GetFirstGlobalInCompartment@js@@YAPAVJSObject@@PAVCompartment@JS@@@Z
+?GetNewOrUsed@XPCWrappedNative@@SA?AW4nsresult@@PAUJSContext@@AAVxpcObjectHelper@@PAVXPCWrappedNativeScope@@PAVXPCNativeInterface@@PAPAV1@@Z
+?GetScriptableHelper@GenericClassInfo@@UAG?AW4nsresult@@PAPAVnsIXPCScriptable@@@Z
+?Get@ComponentsSH@@SA?AW4nsresult@@PAPAVnsIXPCScriptable@@@Z
+?AnchorCount@Accessible@a11y@mozilla@@UAEIXZ
+?GetInterfaces@GenericClassInfo@@UAG?AW4nsresult@@AAV?$nsTArray@UnsID@@@@@Z
+?Release@nsXPCComponents@@UAGKXZ
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@1I@Z
+?check@ContextChecks@js@@QAEXABVValue@JS@@H@Z
+?GetInterfaces@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Interfaces@@@Z
+?QueryInterface@nsXPCComponents_Interfaces@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetChromeFlags@WebBrowserChrome2Stub@@UAG?AW4nsresult@@PAI@Z
+?GetScriptableFlags@nsXPCComponents_Interfaces@@UAEIXZ
+??1XPCCallContext@@UAE@XZ
+?Release@nsGlobalWindowObserver@@UAGKXZ
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@I@Z
+?XPC_WN_Helper_Resolve@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@PA_N@Z
+??0XPCCallContext@@QAE@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1V?$Handle@UPropertyKey@JS@@@3@IPAVValue@3@3@Z
+?CheckedUnwrapDynamic@js@@YAPAVJSObject@@PAV2@PAUJSContext@@_N@Z
+?ResolveForSystemGlobal@WebIDLGlobalNameHash@dom@mozilla@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@PA_N@Z
+?JS_ResolveStandardClass@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@PA_N@Z
+?GetEntry@WebIDLGlobalNameHash@dom@mozilla@@CAPBUWebIDLNameTableEntry@23@PAVJSLinearString@@@Z
+?GetResults@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Results@@@Z
+?GetClasses@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Classes@@@Z
+?QueryInterface@nsXPCComponents_Classes@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetUtils@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Utils@@@Z
+?QueryInterface@nsXPCComponents_Utils@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetScriptableFlags@nsXPCComponents_Utils@@UAEIXZ
+?AttachNewConstructorObject@XPCNativeWrapper@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_DefineFunction@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDP6A_N0IPAVValue@4@@ZII@Z
+?JS_DefineProfilingFunctions@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?SetGlobalObject@BackstagePass@@QAEXPAVJSObject@@@Z
+?SetLocationForGlobal@xpc@@YAXPAVJSObject@@ABV?$nsTSubstring@D@@@Z
+?GetObjectRealmOrNull@JS@@YAPAVRealm@1@PAVJSObject@@@Z
+?Release@BackstagePass@@UAGKXZ
+?NativeGlobal@xpc@@YAPAVnsIGlobalObject@@PAVJSObject@@@Z
+??0AutoEntryScript@dom@mozilla@@QAE@PAVnsIGlobalObject@@PBD_N@Z
+??0AutoRequestJSThreadExecution@dom@mozilla@@QAE@PAVnsIGlobalObject@@_N@Z
+??0AutoScriptActivity@xpc@@QAE@_N@Z
+??1AutoEntryScript@dom@mozilla@@QAE@XZ
+??1AutoScriptActivity@xpc@@QAE@XZ
+?Assign@?$nsTSubstring@_S@@QAI_NABV?$nsTSubstringTuple@_S@@ABUnothrow_t@std@@@Z
+?OpenNSPRFileDescShareDelete@nsLocalFile@@UAG?AW4nsresult@@HHPAPAUPRFileDesc@@@Z
+?trace@?$RootedTraceable@V?$GCVector@PAVJSScript@@$0A@VTempAllocPolicy@js@@@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?CanCompileOffThread@JS@@YA_NPAUJSContext@@ABVReadOnlyCompileOptions@1@I@Z
+?StartOffThreadDecodeMultiScripts@js@@YA_NPAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$Vector@UTranscodeSource@JS@@$0A@VMallocAllocPolicy@mozilla@@@mozilla@@P6AXPAVOffThreadToken@4@PAX@Z4@Z
+??0OwningCompileOptions@JS@@QAE@PAUJSContext@@@Z
+?StartOffThreadDecodeScript@js@@YA_NPAUJSContext@@ABVReadOnlyCompileOptions@JS@@ABV?$Range@E@mozilla@@P6AXPAVOffThreadToken@4@PAX@Z4PAPAV74@@Z
+?copy@OwningCompileOptions@JS@@QAE_NPAUJSContext@@ABVReadOnlyCompileOptions@2@@Z
+?finishAtomTable@?$XDRState@$00@js@@UAEXXZ
+?CancelOffThreadParses@js@@YAXPAUJSRuntime@@@Z
+?setParallelAtomsAllocEnabled@GCRuntime@gc@js@@QAEX_N@Z
+?GetCodecType@AudioEncoderPcmU@webrtc@@MBE?AW4CodecType@AudioEncoder@2@XZ
+?GetActiveRenderState@XRSession@dom@mozilla@@QBEPAVXRRenderState@23@XZ
+?GetThread@CompositorBridgeChild@layers@mozilla@@UBEPAVnsISerialEventTarget@@XZ
+?FrameCaptureListener@CanvasCaptureMediaStream@dom@mozilla@@QAEPAV023@XZ
+?codeScript@?$XDRState@$00@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@V?$MutableHandle@PAVJSScript@@@JS@@@Z
+?ByteCountReceived@nsServerSocket@net@mozilla@@UAE_KXZ
+?codeChars@?$XDRState@$00@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PATUtf8Unit@4@I@Z
+??$XDRScript@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@V?$Handle@PAVScope@js@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@5@V?$Handle@PAVJSObject@@@5@V?$MutableHandle@PAVJSScript@@@5@@Z
+?DataY@I420Buffer@webrtc@@UBEPBEXZ
+??$XDRImmutableScriptData@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@AAV?$UniquePtr@VImmutableScriptData@js@@U?$DeletePolicy@VImmutableScriptData@js@@@JS@@@2@@Z
+?has_more@RegExpParser@internal@v8@@AAE_NXZ
+?codeChars@?$XDRState@$00@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PA_SI@Z
+??_G?$RootedTraceable@V?$GCVector@PAVShape@js@@$0A@VTempAllocPolicy@2@@JS@@@js@@UAEPAXI@Z
+?getOrCreate@SharedImmutableStringsCache@js@@QAE?AV?$Maybe@VSharedImmutableTwoByteString@js@@@mozilla@@$$QAV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@4@I@Z
+?DeleteCycleCollectable@cycleCollection@Accessible@a11y@mozilla@@UAGXPAX@Z
+?trace@?$RootedTraceable@VScriptSourceHolder@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?codeCharsZ@?$XDRState@$00@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@AAV?$MaybeOneOf@PBDV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@@4@@Z
+?Put@?$nsBaseHashtable@VnsCStringHashKey@@V?$nsTString@D@@V2@V?$nsDefaultConverter@V?$nsTString@D@@V1@@@@@QAE_NABV?$nsTSubstring@D@@ABV?$nsTString@D@@ABUnothrow_t@std@@@Z
+?CompletionPromise@?$ThenValue@V<lambda_1>@?0??All@?$MozPromise@VPerformanceInfo@dom@mozilla@@W4nsresult@@$00@mozilla@@SA?AV?$RefPtr@V?$MozPromise@V?$CopyableTArray@VPerformanceInfo@dom@mozilla@@@@W4nsresult@@$00@mozilla@@@@PAVnsISerialEventTarget@@AAV?$nsTArray@V?$RefPtr@V?$MozPromise@VPerformanceInfo@dom@mozilla@@W4nsresult@@$00@mozilla@@@@@@@Z@V<lambda_2>@?0??234@SA?AV5@01@Z@@?$MozPromise@VPerformanceInfo@dom@mozilla@@W4nsresult@@$00@mozilla@@MBEPAVMozPromiseBase@3@XZ
+??$XDR@$00@GlobalScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@1@W4ScopeKind@1@V?$MutableHandle@PAVScope@js@@@JS@@@Z
+??$XDRAtom@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@V?$MutableHandle@PAVJSAtom@@@JS@@@Z
+??$XDRInterpretedFunction@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@V?$Handle@PAVScope@js@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@5@V?$MutableHandle@PAVJSFunction@@@5@@Z
+?getTreeKey@XDRCoderBase@js@@UBE_KPAVJSFunction@@@Z
+?CreateRawLazy@BaseScript@js@@SAPAV12@PAUJSContext@@IV?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@5@ABUSourceExtent@2@I@Z
+??$SharedData@$00@StencilXDR@frontend@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@2@AAV?$RefPtr@VSharedImmutableScriptData@js@@@@@Z
+?create@SharedImmutableScriptData@js@@CAPAV12@PAUJSContext@@@Z
+??$XDR@$00@FunctionScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@1@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVScope@js@@@6@V?$MutableHandle@PAVScope@js@@@6@@Z
+??$XDR@$00@LexicalScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@1@W4ScopeKind@1@V?$Handle@PAVScope@js@@@JS@@V?$MutableHandle@PAVScope@js@@@7@@Z
+??$PrimitiveValueToId@$00@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@UPropertyKey@JS@@@3@@Z
+?EnsureStatics@nsJSContext@@SAXXZ
+?InitConsumeStreamCallback@JS@@YAXPAUJSContext@@P6A_N0V?$Handle@PAVJSObject@@@1@W4MimeType@1@PAVStreamConsumer@1@@ZP6AX0I@Z@Z
+?GetMaxCCSliceTimeSinceClear@nsJSContext@@SAIXZ
+?ClearAndRetainStorage@?$nsTArray_Impl@V?$OwningNonNull@VFontFace@dom@mozilla@@@mozilla@@UnsTArrayFallibleAllocator@@@@QAEXXZ
+?resetParameter@GCRuntime@gc@js@@QAEXW4JSGCParamKey@@@Z
+?resetParameter@GCSchedulingTunables@gc@js@@QAEXW4JSGCParamKey@@ABVAutoLockGC@3@@Z
+?FinishInitializingUserPrefs@nsXREDirProvider@@QAEXXZ
+?NotifyObservers@nsAppStartupNotifier@@SA?AW4nsresult@@PBD@Z
+?InsertElementAt@nsCOMArray_base@@IAEXIPAVnsISupports@@@Z
+?Next@Iterator@PLDHashTable@@QAEXXZ
+?SetListener@nsCategoryObserver@@QAEXP6AXPAX@Z0@Z
+?GetValue@CategoryEntry@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?StringBeginsWith@@YA_NABV?$nsTSubstring@D@@0@Z
+?GetSingleton@nsFormFillController@@SA?AU?$already_AddRefed@VnsFormFillController@@@@XZ
+??0nsAutoCompleteController@@QAE@XZ
+?AddRef@Category@glean@mozilla@@UAGKXZ
+?QueryInterface@nsAutoCompleteController@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@Category@glean@mozilla@@UAGKXZ
+?QueryInterface@nsFormFillController@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@nsHashPropertyBagCC@@UAGKXZ
+?Release@SessionStorageManager@dom@mozilla@@UAGKXZ
+?PrivilegedJunkScope@xpc@@YAPAVJSObject@@XZ
+?Get@CycleCollectedJSContext@mozilla@@SAPAV12@XZ
+?Init@AutoJSAPI@dom@mozilla@@QAE_NPAVnsIGlobalObject@@PAUJSContext@@@Z
+?GetGlobalJSObject@BackstagePass@@UAEPAVJSObject@@XZ
+?Import@mozJSComponentLoader@@QAE?AW4nsresult@@PAUJSContext@@ABV?$nsTSubstring@D@@V?$MutableHandle@PAVJSObject@@@JS@@2_N@Z
+?SizeOfIncludingThis@mozJSComponentLoader@@QAEIP6AIPBX@Z@Z
+?ResolveURI@scache@mozilla@@YA?AW4nsresult@@PAVnsIURI@@PAPAV4@@Z
+?SchemeIs@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@PBDPA_N@Z
+?ResolveURI@nsResProtocolHandler@@UAG?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetFile@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIFile@@@Z
+?SetFileExtensionInternal@nsStandardURL@net@mozilla@@AAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?net_GetFileFromURLSpec@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIFile@@@Z
+?nsLocalFileConstructor@nsLocalFile@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?net_ParseFileURL@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV2@11@Z
+?ReplaceChar@?$nsTString@D@@QAEXDD@Z
+??$emplace@AAY0BK@$$CBDPBDW4ProfilingCategoryPair@JS@@@?$Maybe@VAutoProfilerLabel@mozilla@@@mozilla@@QAEXAAY0BK@$$CBD$$QAPBD$$QAW4ProfilingCategoryPair@JS@@@Z
+?NewJSMEnvironment@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?create@NonSyntacticVariablesObject@js@@SAPAV12@PAUJSContext@@@Z
+?EmptyEnvironmentShape@js@@YAPAVShape@1@PAUJSContext@@PBUJSClass@@II@Z
+?getOrCreateNonSyntacticLexicalEnvironment@ObjectRealm@js@@QAEPAVLexicalEnvironmentObject@2@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?getOrCreateNonSyntacticLexicalEnvironment@ObjectRealm@js@@QAEPAVLexicalEnvironmentObject@2@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@11@Z
+??0ObjectWeakMap@js@@QAE@PAUJSContext@@@Z
+?lookup@ObjectWeakMap@js@@QAEPAVJSObject@@PBV3@@Z
+?lookup@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@QBE?AVPtr@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@ABQAVJSObject@@@Z
+?createNonSyntactic@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?add@ObjectWeakMap@js@@QAE_NPAUJSContext@@PAVJSObject@@1@Z
+??0?$HeapPtr@VValue@JS@@@js@@QAE@ABVValue@JS@@@Z
+?postBarrier@?$InternalBarrierMethods@PAVJSObject@@@js@@SAXPAPAVJSObject@@PAV3@1@Z
+?barrierForInsert@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@IAEXV?$HeapPtr@PAVJSObject@@@2@ABV?$HeapPtr@VValue@JS@@@2@@Z
+?ValuePreWriteBarrier@gc@js@@YAXABVValue@JS@@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$pod_arena_malloc@UFakeSlot@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAUFakeSlot@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@II@Z
+?EnsureFile@SubstitutingURL@net@mozilla@@UAE?AW4nsresult@@XZ
+?LogToConsoleWithStack@ErrorReport@xpc@@QAEXPAVnsGlobalWindowInner@@V?$Handle@V?$Maybe@VValue@JS@@@mozilla@@@JS@@V?$Handle@PAVJSObject@@@5@2@Z
+?GetConstant@nsXPTInterfaceInfo@@QBE?AW4nsresult@@GV?$MutableHandle@VValue@JS@@@JS@@PAPAD@Z
+?JS_WrapObject@@YA_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?wrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@2@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBD1I@Z
+??$NewStringCopyNDontDeflate@$00E@js@@YAPAVJSLinearString@@PAUJSContext@@PBEIW4InitialHeap@gc@0@@Z
+??$AllocateStringImpl@VJSString@@$00@js@@YAPAVJSString@@PAUJSContext@@W4InitialHeap@gc@0@@Z
+?registerMallocedBuffer@Nursery@js@@QAE_NPAXI@Z
+?changeTableSize@?$HashTable@QAXUSetHashPolicy@?$HashSet@PAXU?$PointerHasher@PAX@mozilla@@VSystemAllocPolicy@js@@@mozilla@@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDV?$Handle@PAVJSString@@@3@I@Z
+?PathifyURI@scache@mozilla@@YA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+??$Compare@DX@?$nsTStringRepr@D@detail@mozilla@@QBEHPBD_NH@Z
+?Add@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@I@Z
+?Add@TelemetryScalar@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@V?$Handle@VValue@JS@@@JS@@PAUJSContext@@@Z
+?Clear@?$nsTArray_Impl@UKeyedScalarAction@Telemetry@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?GetAttributeList@RsdparsaSdpMediaSection@mozilla@@UAEAAVSdpAttributeList@2@XZ
+?GetDataType@XPCVariant@@UAEGXZ
+??$InsertSlotsAt@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayInfallibleResult@@IIII@Z
+?DecodeScript@JS@@YA?AW4TranscodeResult@1@PAUJSContext@@ABVReadOnlyCompileOptions@1@ABV?$Range@E@mozilla@@V?$MutableHandle@PAVJSScript@@@1@@Z
+??_GXDRDecoder@js@@UAEPAXI@Z
+?exposeToJS@?$PtrBarrierMethodsBase@VJSScript@@@detail@js@@SAXPAVJSScript@@@Z
+?ReadCachedScript@@YA?AW4nsresult@@PAVStartupCache@scache@mozilla@@AAV?$nsTSubstring@D@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@V?$MutableHandle@PAVJSScript@@@8@@Z
+?GetBuffer@StartupCache@scache@mozilla@@QAE?AW4nsresult@@PBDPAPBDPAI@Z
+?Aborted@AbortSignalImpl@dom@mozilla@@QBE_NXZ
+?NS_NewTimerWithFuncCallback@@YA?AV?$Result@V?$nsCOMPtr@VnsITimer@@@@W4nsresult@@@mozilla@@P6AXPAVnsITimer@@PAX@Z1IIPBDPAVnsIEventTarget@@@Z
+?DecodeScript@JS@@YA?AW4TranscodeResult@1@PAUJSContext@@ABVReadOnlyCompileOptions@1@AAV?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@mozilla@@V?$MutableHandle@PAVJSScript@@@1@I@Z
+?NoteScript@ScriptPreloader@mozilla@@QAEXABV?$nsTString@D@@0V?$Handle@PAVJSScript@@@JS@@_N@Z
+?JS_IsGlobalObject@@YA_NPAVJSObject@@@Z
+?ExecuteInJSMEnvironment@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@1@V?$Handle@PAVJSObject@@@1@@Z
+?ExecuteInJSMEnvironment@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@1@V?$Handle@PAVJSObject@@@1@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@1@@Z
+?JS_ExtensibleLexicalEnvironment@@YAPAVJSObject@@PAV1@@Z
+?getNonSyntacticLexicalEnvironment@ObjectRealm@js@@QBEPAVLexicalEnvironmentObject@2@PAVJSObject@@@Z
+?IsAnyBuiltinEval@js@@YA_NPAVJSFunction@@@Z
+?GetOwnPropertyDescriptor@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@UPropertyDescriptor@JS@@@4@@Z
+?NativeGetOwnPropertyDescriptor@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@UPropertyDescriptor@JS@@@4@@Z
+?NativeDefineDataProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@I@Z
+?allocateObject@Nursery@js@@QAEPAVJSObject@@PAUJSContext@@IIPBUJSClass@@@Z
+?LookupNameNoGC@js@@YA_NPAUJSContext@@PAVPropertyName@1@PAVJSObject@@PAPAV4@3PAVPropertyResult@JS@@@Z
+?LookupName@js@@YA_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@PAVJSObject@@@4@3V?$MutableHandle@VPropertyResult@JS@@@4@@Z
+?ConstructorEnabled@CallbackDebuggerNotification_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?GetPerInterfaceObjectHandle@dom@mozilla@@YA?AV?$Handle@PAVJSObject@@@JS@@PAUJSContext@@IP6AX0V34@AAVProtoAndIfaceCache@12@_N@Z3@Z
+?CreateInterfaceObjects@ChromeUtils_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?InitIds@dom@mozilla@@YA_NPAUJSContext@@PBU?$NativePropertiesN@$06@12@@Z
+?PropertySpecNameToPermanentId@JS@@YA_NPAUJSContext@@TName@JSPropertySpec@@PAUPropertyKey@1@@Z
+?CreateInterfaceObjects@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1PBUJSClass@@PAV?$Heap@PAVJSObject@@@5@12IPBUNamedConstructor@12@3PBU?$NativePropertiesN@$06@12@5PBD_NPBQBD78@Z
+?JS_NewObjectWithGivenProto@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDII@Z
+??$DefinePrefable@$$CBUJSFunctionSpec@@@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBU?$Prefable@$$CBUJSFunctionSpec@@@01@@Z
+?IsNonExposedGlobal@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@I@Z
+??$DefinePrefable@$$CBUJSPropertySpec@@@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBU?$Prefable@$$CBUJSPropertySpec@@@01@@Z
+?JS_AlreadyHasOwnProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDPA_N@Z
+?JS_AlreadyHasOwnPropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@PA_N@Z
+?changeTableSize@?$HashTable@$$CBUSlotsEdge@StoreBuffer@gc@js@@USetHashPolicy@?$HashSet@USlotsEdge@StoreBuffer@gc@js@@UHasher@1234@VSystemAllocPolicy@4@@mozilla@@VSystemAllocPolicy@4@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?GetProperty@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVPropertyName@js@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?CreateInterfaceObjects@DOMStringList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?XrayAwareCalleeGlobal@xpc@@YAPAVJSObject@@PAV2@@Z
+?GetNonCCWObjectGlobal@JS@@YAPAVJSObject@@PAV2@@Z
+??0GlobalObject@dom@mozilla@@QAE@PAUJSContext@@PAVJSObject@@@Z
+??$AssignJSString@U?$FakeString@_S@binding_detail@dom@mozilla@@$0A@@@YA_NPAUJSContext@@AAU?$FakeString@_S@binding_detail@dom@mozilla@@PAVJSString@@@Z
+?Import@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABV?$Optional@V?$Handle@PAVJSObject@@@JS@@@23@V?$MutableHandle@PAVJSObject@@@JS@@AAVErrorResult@3@@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint32HashKey@@H@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?Cancel@nsTimer@@UAG?AW4nsresult@@XZ
+?LookupNameUnqualified@js@@YA_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@PAVJSObject@@@4@@Z
+?replaceWithNewEquivalentShape@NativeObject@js@@KAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@PAV32@2_N@Z
+?SetNameOperation@js@@YA_NPAUJSContext@@PAVJSScript@@PAEV?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+??$NativeSetProperty@$0A@@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@3AAVObjectOpResult@3@@Z
+?SetFunctionNativeReserved@js@@YAXPAVJSObject@@IABVValue@JS@@@Z
+?XPC_WN_MaybeResolvingPropertyStub@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@@Z
+?UncheckedUnwrap@js@@YAPAVJSObject@@PAV2@_NPAI@Z
+?InitializeValue@xpc@@YAXABUnsXPTType@@PAX@Z
+?SystemIsBeingShutDown@nsXPCWrappedJS@@QAEXXZ
+@invoke_copy_to_stack@12
+?JS_NewObject@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@@Z
+?NativeData2JS@XPCConvert@@SA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@PBXABUnsXPTType@@PBUnsID@@IPAW4nsresult@@@Z
+?JS_WrapValue@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?InnerCleanupValue@xpc@@YAXABUnsXPTType@@PAXI@Z
+?RemoveEntry@PLDHashTable@@QAEXPAUPLDHashEntryHdr@@@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@I@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?ChangeTable@PLDHashTable@@AAE_NH@Z
+?JS_HasExtensibleLexicalEnvironment@@YA_NPAVJSObject@@@Z
+?JS_HasOwnProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDPA_N@Z
+?HasOwnProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@PA_N@Z
+??$NativeLookupOwnProperty@$00@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$MutableHandle@VPropertyResult@JS@@@3@@Z
+?JS_GetProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDV?$MutableHandle@VValue@JS@@@3@@Z
+?JS_ForwardGetPropertyTo@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@V?$MutableHandle@VValue@JS@@@3@@Z
+?IsArrayObject@JS@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@1@PA_N@Z
+?IsArrayObject@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@PA_N@Z
+?GetBuiltinClass@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@PAW4ESClass@js@@@Z
+?GetArrayLength@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@PAI@Z
+?GetLengthProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAI@Z
+?JS_NewPlainObject@@YAPAVJSObject@@PAUJSContext@@@Z
+?JS_ForwardGetElementTo@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@I1V?$MutableHandle@VValue@JS@@@3@@Z
+?JS_ValueToId@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@UPropertyKey@JS@@@3@@Z
+?JS_HasOwnPropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@PA_N@Z
+?JS_GetPropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$MutableHandle@VValue@JS@@@3@@Z
+?JS_SetPropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@VValue@JS@@@3@@Z
+?putSlot@StoreBuffer@gc@js@@QAEXPAVNativeObject@3@HII@Z
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@11I@Z
+?CallGetter@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1V?$MutableHandle@VValue@JS@@@4@@Z
+?GetID@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_ID@@@Z
+?GetScriptableFlags@nsXPCComponents_Constructor@@UAEIXZ
+?XPC_WN_Helper_Call@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?IsCallerChrome@nsContentUtils@@SA_NXZ
+?EncodeLatin1@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PAVJSString@@@Z
+?ID2JSValue@xpc@@YA_NPAUJSContext@@ABUnsID@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?changeTableSize@?$HashTable@$$CBU?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@USetHashPolicy@?$HashSet@U?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@VSystemAllocPolicy@4@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDP6A_N0IPAVValue@3@@Z4I@Z
+?JS_DefineFunctionById@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@P6A_N0IPAVValue@4@@ZII@Z
+?init@ForOfIterator@JS@@QAE_NV?$Handle@VValue@JS@@@2@W4NonIterableBehavior@12@@Z
+?create@ForOfPIC@js@@SAPAVChain@12@PAUJSContext@@@Z
+?getOrCreateForOfPICObject@GlobalObject@js@@SAPAVNativeObject@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?createForOfPICObject@ForOfPIC@js@@SAPAVNativeObject@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?tryOptimizeArray@Chain@ForOfPIC@js@@QAE_NPAUJSContext@@V?$Handle@PAVArrayObject@js@@@JS@@PA_N@Z
+?CancelOffThreadScriptDecoder@JS@@YAXPAUJSContext@@PAVOffThreadToken@1@@Z
+?getOrCreateArrayIteratorPrototype@GlobalObject@js@@SAPAVNativeObject@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?UnwindIteratorForUncatchableException@js@@YAXPAVJSObject@@@Z
+?createIteratorPrototype@GlobalObject@js@@CAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?initIteratorProto@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?DefinePropertiesAndFunctions@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBUJSPropertySpec@@PBUJSFunctionSpec@@@Z
+?DefineToStringTag@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAVJSAtom@@@Z
+?IsSelfHostedFunctionWithName@js@@YA_NPAVJSFunction@@PAVJSAtom@@@Z
+?next@ForOfIterator@JS@@QAE_NV?$MutableHandle@VValue@JS@@@2@PA_N@Z
+??$EnsureCapacity@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayFallibleResult@@II@Z
+?GenerateQI@ChromeUtils@dom@mozilla@@SAPAVMozQueryInterface@23@ABVGlobalObject@23@ABV?$Sequence@VValue@JS@@@23@AAVErrorResult@3@@Z
+?JSValue2ID@xpc@@YA?AV?$Maybe@UnsID@@@mozilla@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?InterfaceByName@detail@xpt@@YAPBUnsXPTInterfaceInfo@@PBD@Z
+?SetParameterValue@?$TMimeType@D@@QAEXABV?$nsTSubstring@D@@0@Z
+?InitWithCallback@MessageSender@dom@mozilla@@QAEXPAVMessageManagerCallback@ipc@23@@Z
+?Wrap@MozQueryInterface_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMozQueryInterface@23@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?CreateInterfaceObjects@MozQueryInterface_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetRealmFunctionPrototype@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?DefineProperties@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBU?$NativePropertiesN@$06@12@2@Z
+?Construct@JS@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@1@ABVHandleValueArray@1@V?$MutableHandle@PAVJSObject@@@1@@Z
+?init@?$GenericArgsBase@$00@detail@js@@QAE_NPAUJSContext@@I@Z
+?Construct@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABVAnyConstructArgs@1@1V?$MutableHandle@PAVJSObject@@@4@@Z
+?CallFromStack@js@@YA_NPAUJSContext@@ABVCallArgs@JS@@@Z
+?pushInvokeFrame@InterpreterStack@js@@QAEPAVInterpreterFrame@2@PAUJSContext@@ABVCallArgs@JS@@W4MaybeConstruct@2@@Z
+?JSObject2NativeInterface@XPCConvert@@SA_NPAUJSContext@@PAPAXV?$Handle@PAVJSObject@@@JS@@PBUnsID@@PAVnsISupports@@PAW4nsresult@@@Z
+?AssertSameCompartment@js@@YAXPAUJSContext@@PAVJSObject@@@Z
+?GetNewOrUsed@nsXPCWrappedJS@@SA?AW4nsresult@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABUnsID@@PAPAV1@@Z
+?QueriesTo@MozQueryInterface@dom@mozilla@@QBE_NABUnsID@@@Z
+?Release@nsXPCWrappedJS@@W7AGKXZ
+NS_GetXPTCallStub
+?changeTableSize@?$HashTable@V?$HashMapEntry@V?$Heap@PAVJSObject@@@JS@@PAVnsXPCWrappedJS@@@mozilla@@UMapHashPolicy@?$HashMap@V?$Heap@PAVJSObject@@@JS@@PAVnsXPCWrappedJS@@U?$MovableCellHasher@V?$Heap@PAVJSObject@@@JS@@@js@@VInfallibleAllocPolicy@@@2@VInfallibleAllocPolicy@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?AddToRootSet@XPCRootSetElem@@QAEXPAPAV1@@Z
+?QueryInterface@nsXPCWrappedJS@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsXPCWrappedJS@@UAGKXZ
+?SymbolDescription@nsXPTMethodInfo@@QBEPBDXZ
+?AddRef@nsXPCWrappedJS@@UAGKXZ
+?Release@nsXPTCStubBase@@UAGKXZ
+?AddRef@nsXPTCStubBase@@UAGKXZ
+?HasAncestor@nsXPTInterfaceInfo@@QBE_NABUnsID@@@Z
+?hasHash@?$MovableCellHasher@PAVJSObject@@@js@@SA_NABQAVJSObject@@@Z
+?Stub3@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Stub248@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?GetMethodInfo@nsXPTInterfaceInfo@@QBE?AW4nsresult@@GPAPBUnsXPTMethodInfo@@@Z
+?JS_TypeOfValue@@YA?AW4JSType@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?TypeOfValue@js@@YA?AW4JSType@@ABVValue@JS@@@Z
+??$AllocateStringImpl@VJSFatInlineString@@$00@js@@YAPAVJSFatInlineString@@PAUJSContext@@W4InitialHeap@gc@0@@Z
+?JS_CallFunctionValue@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@3@ABVHandleValueArray@3@V?$MutableHandle@VValue@JS@@@3@@Z
+?GetFunctionThis@js@@YA_NPAUJSContext@@VAbstractFramePtr@1@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?EqualStrings@js@@YA_NPAUJSContext@@PAVJSString@@1PA_N@Z
+??$pod_arena_realloc@PAVJSObject@@@TempAllocPolicy@js@@QAEPAPAVJSObject@@IPAPAV2@II@Z
+??D?$span_iterator@V?$Span@$$CBU?$StyleGenericCursorImage@UStyleComputedUrl@mozilla@@M@mozilla@@$0PPPPPPPP@@mozilla@@$0A@@span_details@mozilla@@QBEABU?$StyleGenericCursorImage@UStyleComputedUrl@mozilla@@M@2@XZ
+?LookupJSService@xpcom@mozilla@@YAPBUJSServiceEntry@12@ABV?$nsTSubstring@D@@@Z
+?GetService@StaticModule@xpcom@mozilla@@QBE?AVGetServiceHelper@23@PAW4nsresult@@@Z
+?Interfaces@JSServiceEntry@xpcom@mozilla@@QBE?AV?$AutoTArray@PBUnsID@@$03@@XZ
+?alreadyStartedSlow@AutoResolving@js@@ABE_NXZ
+?SuppressException@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@QAEXXZ
+?JSData2Native@XPCConvert@@SA_NPAUJSContext@@PAXV?$Handle@VValue@JS@@@JS@@ABUnsXPTType@@PBUnsID@@IPAW4nsresult@@@Z
+?AssertSameCompartment@js@@YAXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?JS_GetStringEncodingLength@@YAIPAUJSContext@@PAVJSString@@@Z
+?JS_EncodeStringToBuffer@@YA_NPAUJSContext@@PAVJSString@@PADI@Z
+?growElements@NativeObject@js@@QAE_NPAUJSContext@@I@Z
+?CreateParentMessageManager@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_NewParentProcessMessageManager@@YA?AW4nsresult@@PAPAVnsISupports@@@Z
+??0ParentProcessMessageManager@dom@mozilla@@QAE@XZ
+??0MessageBroadcaster@dom@mozilla@@IAE@PAV012@W4MessageManagerFlags@ipc@12@@Z
+??0nsFrameMessageManager@@IAE@PAVMessageManagerCallback@ipc@dom@mozilla@@W4MessageManagerFlags@234@@Z
+?HoldJSObjectsImpl@cyclecollector@mozilla@@YAXPAVnsISupports@@@Z
+?QueryInterface@MessageListenerManager@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?_Tidy@?$deque@HV?$allocator@H@std@@@std@@IAEXXZ
+?AddRef@CallbackObject@dom@mozilla@@UAGKXZ
+?NewProcessMessageManager@nsFrameMessageManager@@SAPAVProcessMessageManager@dom@mozilla@@_N@Z
+??0ProcessMessageManager@dom@mozilla@@QAE@PAVMessageManagerCallback@ipc@12@PAVParentProcessMessageManager@12@W4MessageManagerFlags@412@@Z
+??0MessageListenerManager@dom@mozilla@@IAE@PAVMessageManagerCallback@ipc@12@PAVMessageBroadcaster@12@W4MessageManagerFlags@412@@Z
+?AddRef@MessageListenerManager@dom@mozilla@@UAGKXZ
+?AddChildManager@MessageBroadcaster@dom@mozilla@@QAEXPAVMessageListenerManager@23@@Z
+?LoadPendingScripts@nsFrameMessageManager@@IAEXPAV1@0@Z
+?Release@MessageListenerManager@dom@mozilla@@UAGKXZ
+?Release@CallbackObject@dom@mozilla@@UAGKXZ
+?GetCurrentProcId@base@@YAKXZ
+?QueryInterface@nsFrameMessageManager@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetWrapper@nsWrapperCache@@QBEPAVJSObject@@XZ
+?Wrap@ParentProcessMessageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVParentProcessMessageManager@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ParentProcessMessageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessageBroadcaster_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessageListenerManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?SetWrapperJSObject@nsWrapperCache@@AAEXPAVJSObject@@@Z
+??$GenericMethod@UNormalThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+??1?$nsTArray_Impl@V?$RefPtr@VMessagePort@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?LoadScript@nsFrameMessageManager@@IAEXABV?$nsTSubstring@_S@@_N1AAVErrorResult@mozilla@@@Z
+?ReceiveMessage@nsSameProcessAsyncMessageBase@@QAEXPAVnsISupports@@PAVnsFrameLoader@@PAVnsFrameMessageManager@@@Z
+?Get@ContentProcessMessageManager@dom@mozilla@@SAPAV123@XZ
+?CreateChildMessageManager@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_NewChildProcessMessageManager@@YA?AW4nsresult@@PAPAVnsISupports@@@Z
+??0ContentProcessMessageManager@dom@mozilla@@QAE@PAVnsFrameMessageManager@@@Z
+?GetSharedData@ContentProcessMessageManager@dom@mozilla@@QAE?AU?$already_AddRefed@VSharedMap@ipc@dom@mozilla@@@@XZ
+?AddRef@MediaMetadata@dom@mozilla@@UAGKXZ
+?DidCreateScriptLoader@nsMessageManagerScriptExecutor@@IAEXXZ
+?Wrap@ContentProcessMessageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVContentProcessMessageManager@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ContentProcessMessageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?LoadScriptInternal@nsMessageManagerScriptExecutor@@IAEXV?$Handle@PAVJSObject@@@JS@@ABV?$nsTSubstring@_S@@_N@Z
+?finishMultiParseTask@GlobalHelperThreadState@js@@AAE_NPAUJSContext@@W4ParseTaskKind@2@PAVOffThreadToken@JS@@V?$MutableHandle@V?$GCVector@PAVJSScript@@$0A@VTempAllocPolicy@js@@@JS@@@6@@Z
+?postBarrier@?$InternalBarrierMethods@PAVArrayObject@js@@@js@@SAXPAPAVArrayObject@2@PAV32@1@Z
+??$XDRBigInt@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@V?$MutableHandle@PAVBigInt@JS@@@JS@@@Z
+?NewSingletonObjectWithFunctionPrototype@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?createAsyncIteratorPrototype@GlobalObject@js@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?clearFlag@NativeObject@js@@SA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@W4Flag@BaseShape@2@@Z
+?initAsyncIteratorProto@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?clearUsedByHelperThread@JSRuntime@@QAEXPAVZone@JS@@@Z
+?MergeRealms@gc@js@@YAXPAVRealm@JS@@0@Z
+??0AutoLockAllAtoms@js@@QAE@PAUJSRuntime@@@Z
+?clearTables@Realm@JS@@QAEXXZ
+?clearTables@ObjectGroupRealm@js@@QAEXXZ
+?clear@SavedStacks@js@@QAEXXZ
+?clearTables@Zone@JS@@QAEXXZ
+?unsetIsDebuggee@Realm@JS@@QAEXXZ
+?getPrototypeForOffThreadPlaceholder@GlobalObject@js@@QAEPAVJSObject@@PAV3@@Z
+?bitwiseOrWith@SparseBitmap@js@@QAEXABV12@@Z
+?deleteEmptyCompartment@Zone@JS@@QAEXPAVCompartment@2@@Z
+?destroy@Realm@JS@@QAEXPAVJSFreeOp@@@Z
+?JS_DropPrincipals@@YAXPAUJSContext@@PAUJSPrincipals@@@Z
+??1Realm@JS@@QAE@XZ
+??1ObjectGroupRealm@js@@QAE@XZ
+?destroy@Compartment@JS@@QAEXPAVJSFreeOp@@@Z
+??1Zone@JS@@QAE@XZ
+??1SparseBitmap@js@@QAE@XZ
+??1ArenaLists@gc@js@@QAE@XZ
+??1AutoLockAllAtoms@js@@QAE@XZ
+?EnqueueOffThreadCompression@js@@YA_NPAUJSContext@@V?$UniquePtr@VSourceCompressionTask@js@@U?$DeletePolicy@VSourceCompressionTask@js@@@JS@@@mozilla@@@Z
+?growStorageBy@?$Vector@PAVJSScript@@$0A@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+??$XDRAtom@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@V?$MutableHandle@PAVJSAtom@@@JS@@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@V?$PreBarriered@PAVJSAtom@@@js@@I@mozilla@@UMapHashPolicy@?$HashMap@V?$PreBarriered@PAVJSAtom@@@js@@IU?$DefaultHasher@V?$PreBarriered@PAVJSAtom@@@js@@X@mozilla@@VTempAllocPolicy@2@@2@VTempAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??1OwningCompileOptions@JS@@QAE@XZ
+?CheckCompileOptionsMatch@JS@@YA_NABVReadOnlyCompileOptions@1@PAVJSScript@@@Z
+?ExecuteInFrameScriptEnvironment@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSScript@@@4@V?$MutableHandle@PAVJSObject@@@4@@Z
+?CreateObjectsForEnvironmentChain@js@@YA_NPAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@PAVJSObject@@@4@@Z
+?create@WithEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1V?$Handle@PAVWithScope@js@@@5@@Z
+?AddMessageListener@nsFrameMessageManager@@QAEXABV?$nsTSubstring@_S@@AAVMessageListener@dom@mozilla@@_NAAVErrorResult@5@@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@V?$nsCOMPtr@VnsIVariant@@@@@@@@KAIPBX@Z
+?FinishSlowJSInitIfMoreThanOneOwner@CallbackObject@dom@mozilla@@IAEXPAUJSContext@@@Z
+?GetIncumbentGlobal@dom@mozilla@@YAPAVnsIGlobalObject@@XZ
+?GetScriptedCallerGlobal@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?PrincipalOrNull@nsIGlobalObject@@QAEPAVnsIPrincipal@@XZ
+?GetGlobalJSObjectPreserveColor@BackstagePass@@UBEPAVJSObject@@XZ
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$Heap@PAVJSObject@@@JS@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?SuppressException@?$TErrorResult@UJustSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@QAEXXZ
+??$XDRScriptRegExpObject@$00@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@0@V?$MutableHandle@PAVRegExpObject@js@@@JS@@@Z
+?create@RegExpObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSAtom@@@JS@@VRegExpFlags@5@W4NewObjectKind@2@@Z
+??0?$TokenStreamSpecific@_SVTokenStreamAnyCharsAccess@frontend@js@@@frontend@js@@QAE@PAUJSContext@@PAVParserAtomsTable@12@ABVReadOnlyCompileOptions@JS@@PB_SI@Z
+?CheckPatternSyntax@irregexp@js@@YA_NPAUJSContext@@AAVTokenStreamAnyChars@frontend@2@V?$Handle@PAVJSAtom@@@JS@@VRegExpFlags@7@@Z
+?VerifyRegExpSyntax@RegExpParser@internal@v8@@SA_NPAVIsolate@23@PAVZone@23@PAVFlatStringReader@23@VRegExpFlags@JS@@PAURegExpCompileData@23@ABVAutoAssertNoGC@8@@Z
+?Advance@RegExpParser@internal@v8@@AAEXXZ
+?Parse@RegExpParser@internal@v8@@AAE_NPAURegExpCompileData@23@ABVAutoAssertNoGC@JS@@@Z
+?ParseDisjunction@RegExpParser@internal@v8@@AAEPAVRegExpTree@23@XZ
+?PatchNamedBackReferences@RegExpParser@internal@v8@@AAEXXZ
+??0AutoAllowLegacyScriptExecution@mozilla@@QAE@XZ
+?closeHandleScope@Isolate@internal@v8@@AAEXII@Z
+?RegExpAlloc@js@@YAPAVRegExpObject@1@PAUJSContext@@W4NewObjectKind@1@V?$Handle@PAVJSObject@@@JS@@@Z
+?setFixedSlot@NativeObject@js@@QAEXIABVValue@JS@@@Z
+?addDataProperty@NativeObject@js@@SAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@PAVPropertyName@js@@@6@II@Z
+?initAndZeroLastIndex@RegExpObject@js@@QAEXPAVJSAtom@@VRegExpFlags@JS@@PAUJSContext@@@Z
+?ParseOpenParenthesis@RegExpParser@internal@v8@@AAEPAVRegExpParserState@123@PAV4123@@Z
+?AddPropertyClassRange@RegExpParser@internal@v8@@AAE_NPAV?$ZoneList@VCharacterRange@internal@v8@@@23@_NABV?$ZoneVector@D@23@2@Z
+?BitsLeft@BitReader@mozilla@@QBEIXZ
+?BlockSize@SnappyCompressOutputStream@mozilla@@QBEIXZ
+?ResizeAdd@?$ZoneList@PAVRegExpTree@internal@v8@@@internal@v8@@AAEXABQAVRegExpTree@23@PAVZone@23@@Z
+??0RegExpAlternative@internal@v8@@QAE@PAV?$ZoneList@PAVRegExpTree@internal@v8@@@12@@Z
+?DataV@WrappedI420Buffer@webrtc@@UBEPBEXZ
+?ParseCharacterClass@RegExpParser@internal@v8@@AAEPAVRegExpTree@23@PBVRegExpBuilder@23@@Z
+?GetCapture@RegExpParser@internal@v8@@AAEPAVRegExpCapture@23@H@Z
+?BytesPerSample@AudioEncoderPcm16B@webrtc@@MBEIXZ
+?AddClassEscape@CharacterRange@internal@v8@@SAXDPAV?$ZoneList@VCharacterRange@internal@v8@@@23@_NPAVZone@23@@Z
+?AddClassEscape@CharacterRange@internal@v8@@SAXDPAV?$ZoneList@VCharacterRange@internal@v8@@@23@PAVZone@23@@Z
+?ResizeAdd@?$ZoneList@VCharacterRange@internal@v8@@@internal@v8@@AAEXABVCharacterRange@23@PAVZone@23@@Z
+?ParseClassCharacterEscape@RegExpParser@internal@v8@@AAEHXZ
+??0RegExpDisjunction@internal@v8@@QAE@PAV?$ZoneList@PAVRegExpTree@internal@v8@@@12@@Z
+?MoveEntryStub@PLDHashTable@@SAXPAV1@PBUPLDHashEntryHdr@@PAU2@@Z
+??$XDR@$00@VarScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$00@1@W4ScopeKind@1@V?$Handle@PAVScope@js@@@JS@@V?$MutableHandle@PAVScope@js@@@7@@Z
+?AssignASCII@?$nsTSubstring@D@@QAIXPBDI@Z
+?GetNonSyntacticGlobalThis@js@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?object@WithEnvironmentObject@js@@QBEAAVJSObject@@XZ
+?DefineModuleGetter@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@V?$Handle@PAVJSObject@@@JS@@ABV?$nsTSubstring@_S@@2AAVErrorResult@3@@Z
+?Assign@?$nsTSubstring@_S@@QAI_NABV1@ABUnothrow_t@std@@@Z
+?NonVoidStringToJsval@xpc@@YA_NPAUJSContext@@AAV?$nsTSubstring@_S@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?NewMaybeExternalString@js@@YAPAVJSString@@PAUJSContext@@PB_SIPBUJSExternalStringCallbacks@@PA_NW4InitialHeap@gc@1@@Z
+??$Allocate@VJSExternalString@@$00@js@@YAPAVJSExternalString@@PAUJSContext@@@Z
+??$ToAtom@$00@js@@YAPAVJSAtom@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?NewFunctionByIdWithReserved@js@@YAPAVJSFunction@@PAUJSContext@@P6A_N0IPAVValue@JS@@@ZIIUPropertyKey@5@@Z
+?DefineAccessorProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@11I@Z
+?SetIntegrityLevel@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4IntegrityLevel@1@@Z
+?growStorageBy@?$Vector@PAVShape@js@@$07VTempAllocPolicy@2@@mozilla@@AAE_NI@Z
+?init@HeapSlot@js@@QAEXPAVNativeObject@2@W4Kind@12@IABVValue@JS@@@Z
+?growStorageBy@?$Vector@VValue@JS@@$07VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?NewDenseCopiedArray@js@@YAPAVArrayObject@1@PAUJSContext@@IPBVValue@JS@@V?$Handle@PAVJSObject@@@5@W4NewObjectKind@1@@Z
+?delazifySelfHostedLazyFunction@JSFunction@@SA_NPAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?GetClonedSelfHostedFunctionName@js@@YAPAVPropertyName@1@PBVJSFunction@@@Z
+?cloneSelfHostedFunctionScript@JSRuntime@@QAE_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@PAVJSFunction@@@4@@Z
+?CloneScriptIntoFunction@js@@YAPAVJSScript@@PAUJSContext@@V?$Handle@PAVScope@js@@@JS@@V?$Handle@PAVJSFunction@@@5@V?$Handle@PAVJSScript@@@5@V?$Handle@PAVScriptSourceObject@js@@@5@PAUSourceExtent@1@@Z
+?clone@FunctionScope@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVFunctionScope@js@@@JS@@V?$Handle@PAVJSFunction@@@5@V?$Handle@PAVScope@js@@@5@@Z
+?DescribeScriptedCallerForDirectEval@js@@YAXPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEPAPBDPAI4PA_N@Z
+?cloneSelfHostedValue@JSRuntime@@QAE_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?CloneFunctionAndScript@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@V?$Handle@PAVScope@js@@@5@V?$Handle@PAVScriptSourceObject@js@@@5@W4AllocKind@gc@1@2@Z
+?addIntrinsicValue@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@V?$Handle@PAVPropertyName@js@@@5@V?$Handle@VValue@JS@@@5@@Z
+?CloneSelfHostingIntrinsic@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?NewArrayIterator@js@@YAPAVArrayIteratorObject@1@PAUJSContext@@@Z
+?CanEnterBaselineInterpreterAtBranch@jit@js@@YA?AW4MethodStatus@12@PAUJSContext@@PAVInterpreterFrame@2@@Z
+?JS_CopyOwnPropertiesAndPrivateFields@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?markId@AtomMarkingRuntime@gc@js@@QAEXPAUJSContext@@UPropertyKey@JS@@@Z
+?markAtomValue@AtomMarkingRuntime@gc@js@@QAEXPAUJSContext@@ABVValue@JS@@@Z
+?NativeGetPropertyNoGC@js@@YA_NPAUJSContext@@PAVNativeObject@1@ABVValue@JS@@UPropertyKey@5@PAV45@@Z
+?ensureJitRealmExists@Realm@JS@@QAE_NPAUJSContext@@@Z
+?initialize@JitRealm@jit@js@@QAE_NPAUJSContext@@_N@Z
+?createJitScript@JSScript@@AAE_NPAUJSContext@@@Z
+?initICEntries@ICScript@jit@js@@QAE_NPAUJSContext@@PAVJSScript@@@Z
+?updateJitCodeRaw@JSScript@@QAEXPAUJSRuntime@@@Z
+??0JitActivation@jit@js@@QAE@PAUJSContext@@@Z
+?DoGetIntrinsicFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetIntrinsic_Fallback@12@V?$MutableHandle@VValue@JS@@@JS@@@Z
+??0GetIntrinsicIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@@Z
+?tryAttachStub@GetIntrinsicIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+??0GetPropIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4CacheKind@12@V?$Handle@VValue@JS@@@5@55@Z
+?AttachBaselineCacheIRStub@jit@js@@YAPAVICStub@12@PAUJSContext@@ABVCacheIRWriter@12@W4CacheKind@12@W4BaselineCacheIRStubKind@12@PAVJSScript@@PAVICScript@12@PAVICFallbackStub@12@PA_N@Z
+?ExceptionHandlerBailout@jit@js@@YA_NPAUJSContext@@ABVInlineFrameIterator@12@PAUResumeFromException@12@ABVExceptionBailoutInfo@12@@Z
+??0AutoOutputRegister@jit@js@@QAE@AAVCacheIRCompiler@12@@Z
+??1AutoOutputRegister@jit@js@@QAE@XZ
+?discardStack@CacheRegisterAllocator@jit@js@@QAEXAAVMacroAssembler@23@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@UCacheIRStubKey@jit@js@@V?$WeakHeapPtr@PAVJitCode@jit@js@@@3@@mozilla@@UMapHashPolicy@?$HashMap@UCacheIRStubKey@jit@js@@V?$WeakHeapPtr@PAVJitCode@jit@js@@@3@U123@VSystemAllocPolicy@3@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?copyStubData@CacheIRWriter@jit@js@@QBEXPAE@Z
+?DoCallFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICCall_Fallback@12@IPAVValue@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0CallIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4JSOp@@W4Mode@ICState@12@_NIV?$Handle@VValue@JS@@@5@66VHandleValueArray@5@@Z
+?tryAttachStub@CallIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?defineValueRegister@CacheRegisterAllocator@jit@js@@QAE?AVValueOperand@23@AAVMacroAssembler@23@VValOperandId@23@@Z
+?allocateRegister@CacheRegisterAllocator@jit@js@@QAE?AURegister@23@AAVMacroAssembler@23@@Z
+?emitIsObjectResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?tryAttachStub@ToPropertyKeyIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?spillOperandToStack@CacheRegisterAllocator@jit@js@@AAEXAAVMacroAssembler@23@PAVOperandLocation@23@@Z
+?useValueRegister@CacheRegisterAllocator@jit@js@@QAE?AVValueOperand@23@AAVMacroAssembler@23@VValOperandId@23@@Z
+?emitSet@MacroAssemblerX86Shared@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@URegister@23@W4NaNCond@523@@Z
+?emitGuardStringToIndex@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@VInt32OperandId@23@@Z
+?InlinableNativeGuardToClass@jit@js@@YAPBUJSClass@@W4InlinableNative@12@@Z
+?init@CacheIRSpewer@jit@js@@QAE_NPBD@Z
+?emitGuardToObject@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?useRegister@CacheRegisterAllocator@jit@js@@QAE?AURegister@23@AAVMacroAssembler@23@VTypedOperandId@23@@Z
+?addFailurePath@CacheIRCompiler@jit@js@@IAE_NPAPAVFailurePath@23@@Z
+?branchTestObjClass@MacroAssembler@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@URegister@23@ABUAddress@23@11PAVLabel@23@@Z
+?cmovCCl@AssemblerX86Shared@jit@js@@QAEXW4Condition@123@ABVOperand@23@URegister@23@@Z
+?emitLoadObjectResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitFailurePath@CacheIRCompiler@jit@js@@IAE_NI@Z
+?restoreInputState@CacheRegisterAllocator@jit@js@@QAEXAAVMacroAssembler@23@_N@Z
+?DoCompareFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICCompare_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?tryAttachStub@CompareIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitGuardIsNull@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitCompareNullUndefinedResult@CacheIRCompiler@jit@js@@IAE_NW4JSOp@@_NVValOperandId@23@@Z
+?freeDeadOperandLocations@CacheRegisterAllocator@jit@js@@AAEXAAVMacroAssembler@23@@Z
+?DoNewObjectFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICNewObject_Fallback@12@V?$MutableHandle@VValue@JS@@@JS@@@Z
+??0NewObjectIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4JSOp@@V?$Handle@PAVJSObject@@@5@@Z
+?tryAttachStub@NewObjectIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?writeFixedUint32_t@CompactBufferWriter@jit@js@@QAEXI@Z
+?emitGuardNoAllocationMetadataBuilder@CacheIRCompiler@jit@js@@IAE_NXZ
+?emitGuardObjectGroupNotPretenured@CacheIRCompiler@jit@js@@IAE_NI@Z
+??0AutoScratchRegister@jit@js@@QAE@AAVCacheRegisterAllocator@12@AAVMacroAssembler@12@URegister@12@@Z
+?emitGuardDynamicSlotIsSpecificObject@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0I@Z
+?emitLoadNewObjectFromTemplateResult@CacheIRCompiler@jit@js@@IAE_NIII@Z
+?createGCObject@MacroAssembler@jit@js@@QAEXURegister@23@0ABVTemplateObject@23@W4InitialHeap@gc@3@PAVLabel@23@_N@Z
+?convertUInt32ToDouble@MacroAssemblerX86@jit@js@@QAEXURegister@23@UFloatRegister@23@@Z
+?subl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?initGCThing@MacroAssembler@jit@js@@QAEXURegister@23@0ABVTemplateObject@23@_N@Z
+?movl@Assembler@jit@js@@QAEXVImmGCPtr@23@ABVOperand@23@@Z
+?DoSetPropFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICSetProp_Fallback@12@PAVValue@JS@@V?$Handle@VValue@JS@@@7@4@Z
+??0SetPropIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4CacheKind@12@W4Mode@ICState@12@V?$Handle@VValue@JS@@@5@55@Z
+?tryAttachStub@SetPropIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?allocateFixedRegister@CacheRegisterAllocator@jit@js@@QAEXAAVMacroAssembler@23@URegister@23@@Z
+?useFixedValueRegister@CacheRegisterAllocator@jit@js@@QAE?AVValueOperand@23@AAVMacroAssembler@23@VValOperandId@23@V423@@Z
+??$unguardedCallPreBarrier@UBaseIndex@jit@js@@@MacroAssembler@jit@js@@AAEXABUBaseIndex@12@W4MIRType@12@@Z
+?Push@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?preBarrierTrampoline@MacroAssembler@jit@js@@AAE?AUTrampolinePtr@23@W4MIRType@23@@Z
+?emitPostBarrierShared@CacheIRCompiler@jit@js@@AAEXURegister@23@ABVConstantOrRegister@23@00@Z
+?loadObjClassUnsafe@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?branchIfClassIsNotTypedArray@MacroAssembler@jit@js@@QAEXURegister@23@PAVLabel@23@@Z
+?callVMInternal@CacheIRCompiler@jit@js@@QAEXAAVMacroAssembler@23@W4VMFunctionId@23@@Z
+?leave@AutoStubFrame@jit@js@@QAEXAAVMacroAssembler@23@_N@Z
+?DoGetPropFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetProp_Fallback@12@V?$MutableHandle@VValue@JS@@@JS@@3@Z
+?tryAttachStub@GetPropIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitGuardClass@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@W4GuardClassKind@23@@Z
+?branchTestObjClass@MacroAssembler@jit@js@@QAEXW4Condition@AssemblerX86Shared@23@URegister@23@PBUJSClass@@11PAVLabel@23@@Z
+?emitLoadInt32ArrayLengthResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitGuardToInt32@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitLoadInt32Constant@CacheIRCompiler@jit@js@@IAE_NIVInt32OperandId@23@@Z
+?emitInt32MinMax@CacheIRCompiler@jit@js@@IAE_N_NVInt32OperandId@23@11@Z
+?emitLoadInt32Result@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+?GreaterThanOrEqual@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?emitCompareInt32Result@CacheIRCompiler@jit@js@@IAE_NW4JSOp@@VInt32OperandId@23@1@Z
+?DoBinaryArithFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICBinaryArith_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?AddValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+??0BinaryArithIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4JSOp@@V?$Handle@VValue@JS@@@5@55@Z
+?tryAttachStub@BinaryArithIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitInt32AddResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?emitStoreFixedSlotUndefinedResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@IVValOperandId@23@@Z
+?DoGetElemFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetElem_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?emitGuardToInt32Index@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@VInt32OperandId@23@@Z
+?emitInt32PowResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?emitLoadDenseElementResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?spectreBoundsCheck32@MacroAssembler@jit@js@@AAEXURegister@23@ABVOperand@23@0PAVLabel@23@@Z
+?cmpl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+??1JitActivation@jit@js@@QAE@XZ
+??0GeckoProfilerBaselineOSRMarker@js@@QAE@PAUJSContext@@_N@Z
+?EnterBaselineInterpreterAtBranch@jit@js@@YA?AW4JitExecStatus@12@PAUJSContext@@PAVInterpreterFrame@2@PAE@Z
+?RunningWithTrustedPrincipals@detail@js@@YA_NPAUJSContext@@@Z
+?InitBaselineFrameForOsr@jit@js@@YA_NPAVBaselineFrame@12@PAVInterpreterFrame@2@I@Z
+?initForOsr@BaselineFrame@jit@js@@QAE_NPAVInterpreterFrame@3@I@Z
+?interpreterICEntryFromPCOffset@ICScript@jit@js@@QAEPAVICEntry@23@I@Z
+?alignJitStackBasedOnNArgs@MacroAssembler@jit@js@@QAEXURegister@23@_N@Z
+?testl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?LookupPropertyPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAPAV3@PAVPropertyResult@5@@Z
+?emitGuardToSymbol@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitLoadObject@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@I@Z
+?NewArrayIteratorTemplate@js@@YAPAVArrayIteratorObject@1@PAUJSContext@@@Z
+?emitNewArrayIteratorResult@CacheIRCompiler@jit@js@@IAE_NI@Z
+?emitNewStringObjectResult@CacheIRCompiler@jit@js@@IAE_NIVStringOperandId@23@@Z
+?enter@AutoStubFrame@jit@js@@QAEXAAVMacroAssembler@23@URegister@23@W4CallCanGC@23@@Z
+?emitAssertRecoveredOnBailoutResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@_N@Z
+?emitLoadProto@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0@Z
+?emitLoadUndefinedResult@CacheIRCompiler@jit@js@@IAE_NXZ
+??$StrictlyEqual@$0A@@jit@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?emitGuardIsUndefined@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitLoadBooleanResult@CacheIRCompiler@jit@js@@IAE_N_N@Z
+?DoGetNameFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetName_Fallback@12@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+?tryAttachStub@GetNameIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?BaselineCompileFromBaselineInterpreter@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAPAE@Z
+?BaselineCompile@jit@js@@YA?AW4MethodStatus@12@PAUJSContext@@PAVJSScript@@_N@Z
+?CanIonCompileScript@jit@js@@YA_NPAUJSContext@@PAVJSScript@@@Z
+?init@BytecodeAnalysis@jit@js@@QAE_NAAVTempAllocator@23@@Z
+?ensureUnusedApproximateColdPath@LifoAlloc@js@@AAE_NII@Z
+?compilerWarmUpThreshold@OptimizationInfo@jit@js@@QBEIPAVJSScript@@PAE@Z
+?allocProfileString@GeckoProfilerRuntime@js@@SA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PAVBaseScript@2@@Z
+?enter@GeckoProfilerThread@js@@QAE_NPAUJSContext@@PAVJSScript@@@Z
+??$CharsToNewUTF8CharsZ@$$CBE@JS@@YA?AVUTF8CharsZ@0@PAUJSContext@@V?$Range@$$CBE@mozilla@@@Z
+_ZN11encoding_rs3mem30convert_latin1_to_utf8_partial17hefa8aa560f660b74E
+??$SprintfLiteral@$0BO@@@YAHAAY0BO@DPBDZZ
+?setBaselineScriptImpl@JitScript@jit@js@@AAEXPAVJSScript@@PAVBaselineScript@23@@Z
+?MarkScript@vtune@js@@YAXPBVJitCode@jit@2@PAVJSScript@@PBD@Z
+??1GeckoProfilerBaselineOSRMarker@js@@QAE@XZ
+?AnalyzeArgumentsUsage@jit@js@@YA_NPAUJSContext@@PAVJSScript@@@Z
+?IsIonEnabled@jit@js@@YA_NPAUJSContext@@@Z
+?allocate@TempAllocator@jit@js@@QAEPAXI@Z
+??0CompileInfo@jit@js@@QAE@PAVCompileRuntime@12@PAVJSScript@@PAVJSFunction@@PAEW4AnalysisMode@12@_NPAVInlineScriptTree@12@@Z
+?needsBodyEnvironment@JSScript@@QBE_NXZ
+?needsExtraBodyVarEnvironment@JSFunction@@QBE_NXZ
+??0JitCompileOptions@jit@js@@QAE@PAUJSContext@@@Z
+??0MIRGenerator@jit@js@@QAE@PAVCompileRealm@12@ABVJitCompileOptions@12@PAVTempAllocator@12@PAVMIRGraph@12@PBVCompileInfo@12@PBVOptimizationInfo@12@@Z
+?canNurseryAllocateStrings@CompileZone@jit@js@@QAE_NXZ
+?canNurseryAllocateBigInts@CompileZone@jit@js@@QAE_NXZ
+??0WarpOracle@jit@js@@QAE@PAUJSContext@@AAVMIRGenerator@12@V?$Handle@PAVJSScript@@@JS@@@Z
+?createSnapshot@WarpOracle@jit@js@@QAE?AV?$Result@PAVWarpSnapshot@jit@js@@W4AbortReason@23@@mozilla@@XZ
+?ensureHasCachedIonData@JitScript@jit@js@@QAE_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?needsNamedLambdaEnvironment@JSFunction@@QBE_NXZ
+?AnalyzeBytecodeForIon@jit@js@@YA?AUIonBytecodeInfo@12@PAUJSContext@@PAVJSScript@@@Z
+?maybeArgumentsTemplateObject@Realm@JS@@QBEPAVArgumentsObject@js@@_N@Z
+??0WarpBuilder@jit@js@@QAE@AAVWarpSnapshot@12@AAVMIRGenerator@12@PAVWarpCompilation@12@@Z
+?build@WarpBuilder@jit@js@@QAE_NXZ
+?New@MBasicBlock@jit@js@@SAPAV123@AAVMIRGraph@23@IABVCompileInfo@23@PAV123@PAVBytecodeSite@23@W4Kind@123@@Z
+?New@MConstant@jit@js@@SAPAV123@AAVTempAllocator@23@ABVValue@JS@@@Z
+?New@MCall@jit@js@@SAPAV123@AAVTempAllocator@23@PAVWrappedFunction@23@II_N22W4DOMObjectKind@23@@Z
+?New@MResumePoint@jit@js@@SAPAV123@AAVTempAllocator@23@PAVMBasicBlock@23@PAEW4Mode@123@@Z
+?NewPopN@MBasicBlock@jit@js@@SAPAV123@AAVMIRGraph@23@ABVCompileInfo@23@PAV123@PAVBytecodeSite@23@W4Kind@123@I@Z
+?addPredecessorPopN@MBasicBlock@jit@js@@QAE_NAAVTempAllocator@23@PAV123@I@Z
+?growStorageBy@?$Vector@PAVMBasicBlock@jit@js@@$00VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+?replaceSuccessor@?$MAryControlInstruction@$0A@$00@jit@js@@UAEXIPAVMBasicBlock@23@@Z
+?NewPendingLoopHeader@MBasicBlock@jit@js@@SAPAV123@AAVMIRGraph@23@ABVCompileInfo@23@PAV123@PAVBytecodeSite@23@@Z
+?canRecoverOnBailout@MStringReplace@jit@js@@UBE_NXZ
+?setBackedge@MBasicBlock@jit@js@@QAE_NPAV123@@Z
+?markIteratorPhis@MPhi@jit@js@@SA_NABV?$Vector@PAVMPhi@jit@js@@$03VJitAllocPolicy@23@@mozilla@@@Z
+?Destroy@IonScript@jit@js@@SAXPAVJSFreeOp@@PAV123@@Z
+?EliminatePhis@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@W4Observability@12@@Z
+?indexOf@?$MAryControlInstruction@$00$01@jit@js@@UBEIPBVMUse@23@@Z
+??0PositionalFormalParameterIter@js@@QAE@PAVJSScript@@@Z
+?LessThan@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?DoInFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICIn_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+??0CheckPrivateFieldIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4CacheKind@12@V?$Handle@VValue@JS@@@5@5@Z
+?tryAttachStub@HasPropIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitLoadDenseElementExistsResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?OperatorIn@jit@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVJSObject@@@5@PA_N@Z
+?NativeHasProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@PA_N@Z
+?InitFunctionEnvironmentObjects@js@@YA_NPAUJSContext@@VAbstractFramePtr@1@@Z
+?createTemplateObject@CallObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@V?$Handle@PAVJSObject@@@5@W4InitialHeap@gc@2@@Z
+?pushLexicalEnvironment@InterpreterFrame@js@@QAE_NPAUJSContext@@V?$Handle@PAVLexicalScope@js@@@JS@@@Z
+?createForFrame@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVLexicalScope@js@@@JS@@VAbstractFramePtr@2@@Z
+?DoUnaryArithFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICUnaryArith_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0UnaryArithIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4JSOp@@V?$Handle@VValue@JS@@@5@5@Z
+?tryAttachStub@UnaryArithIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitInt32IncResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+?InvokeFromInterpreterStub@jit@js@@YA_NPAUJSContext@@PAVInterpreterStubExitFrameLayout@12@@Z
+?Parse@StackScopedCloneOptions@xpc@@UAE_NXZ
+?LooselyEqual@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1PA_N@Z
+?FindTearOff@XPCWrappedNative@@QAEPAVXPCWrappedNativeTearOff@@PAUJSContext@@ABUnsID@@@Z
+??1XPCNativeSet@@IAE@XZ
+?Remove@PLDHashTable@@QAEXPBX@Z
+?ClearEntryStub@PLDHashTable@@SAXPAV1@PAUPLDHashEntryHdr@@@Z
+?GetHeight@ImageWrapper@image@mozilla@@UAG?AW4nsresult@@PAH@Z
+?GetActualType@nsObjectLoadingContent@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetBoolPref@nsPrefBranch@@UAG?AW4nsresult@@PBDPA_N@Z
+?GetBoolPref@Preferences@mozilla@@UAG?AW4nsresult@@PBDPA_N@Z
+NS_GetComponentRegistrar
+?SetNavigationStartTimeStamp@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetReservedSlotWithBarrier@detail@JS@@YAXPAVJSObject@@IABVValue@2@@Z
+?CheckedUnwrapStatic@js@@YAPAVJSObject@@PAV2@@Z
+?GetService@XULStore@mozilla@@YA?AU?$already_AddRefed@VnsIXULStore@@@@XZ
+xulstore_new_service
+_ZN50_$LT$gleam..gl..GlFns$u20$as$u20$gleam..gl..Gl$GT$8get_type17h396cd9c91d80f8f3E
+xulstore_shutdown
+?WrapNative@nsContentUtils@@CA?AW4nsresult@@PAUJSContext@@PAVnsISupports@@PAVnsWrapperCache@@PBUnsID@@V?$MutableHandle@VValue@JS@@@JS@@_N@Z
+?NativeDefineDataProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@PAVPropertyName@1@V?$Handle@VValue@JS@@@4@I@Z
+?SetFunctionName@js@@YA_NPAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@VValue@JS@@@4@W4FunctionPrefixKind@1@@Z
+?isPrivateName@PropertyKey@JS@@QBE_NXZ
+?GetJSObject@nsXPCWrappedJS@@UAEPAVJSObject@@XZ
+??$AssignJSString@V?$nsTSubstring@_S@@$0A@@@YA_NPAUJSContext@@AAV?$nsTSubstring@_S@@PAVJSString@@@Z
+NS_NewExtensionStorageSyncArea
+XPCOMService_GetDirectoryService
+_ZN3rkv3env3Rkv13with_capacity17h8d16d8063fb359cbE
+_ZN4lmdb11environment18EnvironmentBuilder21open_with_permissions17h31c541ab50f406b2E
+_ZN8tempfile3dir7tempdir17hf72ad66a3dc987adE
+_ZN3rkv7migrate8Migrator3new17h84b8bc2e3bf553a3E
+_ZN55_$LT$lmdb..error..Error$u20$as$u20$core..fmt..Debug$GT$3fmt17h38b50eac85d55605E
+_ZN8tempfile3dir7TempDir4path17h7dfe12a452e9a28cE
+_ZN3rkv7migrate8Migrator7migrate17hc107aaee5e69a1b3E
+__rg_alloc_zeroed
+_ZN88_$LT$rkv..error..StoreError$u20$as$u20$core..convert..From$LT$lmdb..error..Error$GT$$GT$4from17h018f3b00a17ad6f4E
+_ZN64_$LT$tempfile..dir..TempDir$u20$as$u20$core..ops..drop..Drop$GT$4drop17hb765a742fca1de02E
+_ZN14remove_dir_all2fs8get_path17hfaeaf3f983be8091E
+_ZN14remove_dir_all2fs24remove_dir_all_recursive17h66ed16cd4d5a1f63E
+_ZN14remove_dir_all2fs11remove_item17h9253df5191a361c0E
+?ParseClassEscape@RegExpParser@internal@v8@@AAEXPAV?$ZoneList@VCharacterRange@internal@v8@@@23@PAVZone@23@_NPAHPA_N@Z
+_ZN4idna5uts466Config8to_ascii17h4acda42f1722f8b0E
+_ZN73_$LT$nsstring..nsString$u20$as$u20$core..convert..From$LT$$RF$str$GT$$GT$4from17he3f5037607cd3546E
+?ReadableToJSVal@XPCStringConvert@@SA_NPAUJSContext@@ABV?$nsTSubstring@_S@@PAPAVnsStringBuffer@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?ToBooleanSlow@js@@YA_NV?$Handle@VValue@JS@@@JS@@@Z
+?NativeGetExistingProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVNativeObject@js@@@4@V?$Handle@PAVShape@js@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?AppendTo@nsTextFragment@@QBE_NAAV?$nsTSubstring@_S@@HHABUnothrow_t@std@@@Z
+??$CharsToNewUTF8CharsZ@$$CB_S@JS@@YA?AVUTF8CharsZ@0@PAUJSContext@@V?$Range@$$CB_S@mozilla@@@Z
+encoding_mem_convert_utf16_to_utf8_partial
+?recreateLexicalEnvironment@InterpreterFrame@js@@QAE_NPAUJSContext@@@Z
+?recreate@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVLexicalEnvironmentObject@js@@@JS@@@Z
+?create@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVLexicalScope@js@@@JS@@V?$Handle@PAVJSObject@@@5@W4InitialHeap@gc@2@@Z
+??$AssignJSString@U?$FakeString@D@binding_detail@dom@mozilla@@$0A@@@YA_NPAUJSContext@@AAU?$FakeString@D@binding_detail@dom@mozilla@@PAVJSString@@@Z
+?JS_EncodeStringToUTF8BufferPartial@@YA?AV?$Maybe@V?$Tuple@II@mozilla@@@mozilla@@PAUJSContext@@PAVJSString@@V?$Span@D$0PPPPPPPP@@2@@Z
+?encodeUTF8Partial@JSString@@QBE?AV?$Maybe@V?$Tuple@II@mozilla@@@mozilla@@ABVAutoRequireNoGC@JS@@V?$Span@D$0PPPPPPPP@@3@@Z
+?FinishBulkWriteImpl@?$nsTSubstring@D@@IAIXI@Z
+?Init@ProcessActorOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Observe@MozObserverCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PAVnsISupports@@ABV?$nsTString@D@@ABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?ConvertJSValueToByteString@dom@mozilla@@YA_NAAVBindingCallContext@12@V?$Handle@VValue@JS@@@JS@@_NPBDAAV?$nsTSubstring@D@@@Z
+?RegisterProcessActor@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@D@@ABUProcessActorOptions@23@AAVErrorResult@3@@Z
+?GetSingleton@JSActorService@dom@mozilla@@SA?AU?$already_AddRefed@VJSActorService@dom@mozilla@@@@XZ
+?RegisterProcessActor@JSActorService@dom@mozilla@@QAEXABV?$nsTSubstring@D@@ABUProcessActorOptions@23@AAVErrorResult@3@@Z
+??1?$nsTArray_Impl@VJSWindowActorInfo@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@VJSProcessActorInfo@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?Init@WindowActorOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?CreateInterfaceObjects@JSProcessActorParent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetPropertyKeys@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@4@@Z
+?JS_GetOwnPropertyDescriptorById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$MutableHandle@UPropertyDescriptor@JS@@@3@@Z
+??$AssignJSString@V?$nsTString@_S@@$0A@@@YA_NPAUJSContext@@AAV?$nsTString@_S@@PAVJSString@@@Z
+?s_InitEntry@?$nsTHashtable@VnsStringHashKey@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+??0AddEventListenerOptions@dom@mozilla@@QAE@XZ
+?Init@AddEventListenerOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+??$EnsureCapacity@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayFallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayFallibleResult@@II@Z
+?RegisterWindowActor@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@D@@ABUWindowActorOptions@23@AAVErrorResult@3@@Z
+?RegisterWindowActor@JSActorService@dom@mozilla@@QAEXABV?$nsTSubstring@D@@ABUWindowActorOptions@23@AAVErrorResult@3@@Z
+?Matches@JSWindowActorProtocol@dom@mozilla@@QAE_NPAVBrowsingContext@23@PAVnsIURI@@ABV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?WrapObjectPure@jit@js@@YAPAVJSObject@@PAUJSContext@@PAV3@@Z
+?DoToBoolFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICToBool_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+?tryAttachStub@ToBoolIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitGuardIsNullOrUndefined@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitMegamorphicLoadSlotResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@I_N@Z
+?branchIfNonNativeObj@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+??$loadTypedOrValue@UAddress@jit@js@@@MacroAssembler@jit@js@@QAEXABUAddress@12@VTypedOrValueRegister@12@@Z
+?adjustStack@MacroAssembler@jit@js@@QAEXH@Z
+??$GetNativeDataPropertyPure@$00@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVPropertyName@1@PAVValue@JS@@@Z
+?emitGuardToString@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?compareStrings@MacroAssembler@jit@js@@QAEXW4JSOp@@URegister@23@11PAVLabel@23@@Z
+?emitLoadStringTruthyResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+??$ConcatStrings@$0A@@js@@YAPAVJSString@@PAUJSContext@@ABQAV1@1W4InitialHeap@gc@0@@Z
+??$AllocateStringImpl@VJSString@@$0A@@js@@YAPAVJSString@@PAUJSContext@@W4InitialHeap@gc@0@@Z
+?emitCallStringConcatResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@0@Z
+?LambdaArrow@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@V?$Handle@VValue@JS@@@5@@Z
+??0?$AbstractBindingIter@VJSAtom@@@js@@QAE@PAVScope@1@@Z
+?PushVarEnvironmentObject@js@@YA_NPAUJSContext@@V?$Handle@PAVScope@js@@@JS@@VAbstractFramePtr@1@@Z
+?DoTypeOfFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICTypeOf_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0TypeOfIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@@Z
+?tryAttachStub@TypeOfIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitGuardNonDoubleType@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@W4ValueType@JS@@@Z
+?BitOr@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32BitOrResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?emitIsCallableResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?isCallableOrConstructor@MacroAssembler@jit@js@@AAEX_NURegister@23@1PAVLabel@23@@Z
+?BitAnd@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32BitAndResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?emitLoadInt32TruthyResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?flatten@JSRope@@AAEPAVJSLinearString@@PAUJSContext@@@Z
+?alignJitStackBasedOnNArgs@MacroAssembler@jit@js@@QAEXI@Z
+?GetWeakReference@nsXPCWrappedJS@@UAG?AW4nsresult@@PAPAVnsIWeakReference@@@Z
+?RemoveFromRootSet@XPCRootSetElem@@QAEXXZ
+?putAccessorProperty@NativeObject@js@@SAPAVShape@2@PAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@6@P6A_N0V?$Handle@PAVJSObject@@@6@2V?$MutableHandle@VValue@JS@@@6@@ZP6A_N032V?$Handle@VValue@JS@@@6@AAVObjectOpResult@6@@ZI@Z
+?GetType@Preferences@mozilla@@SAHPBD@Z
+?Constant@nsXPTInterfaceInfo@@QBEABUnsXPTConstantInfo@@G@Z
+?JS_LinearStringEqualsAscii@@YA_NPAVJSLinearString@@PBD@Z
+?growStorageBy@?$Vector@UPropertyKey@JS@@$07VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+??$AssignJSString@V?$nsTAutoJSString@D@@$0A@@@YA_NPAUJSContext@@AAV?$nsTAutoJSString@D@@PAVJSString@@@Z
+??$ConcatStrings@$00@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@1W4InitialHeap@gc@0@@Z
+??$GenericCreatePrototype@VPromiseObject@js@@@js@@YAPAVJSObject@@PAUJSContext@@W4JSProtoKey@@@Z
+??$emplace@AAPAUJSContext@@AAV?$Rooted@PAVPromiseObject@js@@@JS@@@?$Maybe@VAutoRealm@js@@@mozilla@@QAEXAAPAUJSContext@@AAV?$Rooted@PAVPromiseObject@js@@@JS@@@Z
+?create@PromiseObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1_N@Z
+?Call@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1ABVAnyInvokeArgs@1@V?$MutableHandle@VValue@JS@@@4@W4CallReason@1@@Z
+?create@AbstractGeneratorObject@js@@SAPAVJSObject@@PAUJSContext@@VAbstractFramePtr@2@@Z
+?create@AsyncFunctionGeneratorObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?CreatePromiseObjectForAsync@js@@YAPAVPromiseObject@1@PAUJSContext@@@Z
+?AsyncFunctionResolve@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVAsyncFunctionGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@5@W4AsyncFunctionResolveKind@1@@Z
+?forEachReactionRecord@PromiseObject@js@@QAE_NPAUJSContext@@AAUPromiseReactionRecordBuilder@2@@Z
+?finalSuspend@AbstractGeneratorObject@js@@SAXV?$Handle@PAVJSObject@@@JS@@@Z
+?RFindChar@?$nsTString@D@@QBEH_SHH@Z
+?LoadModule@mozJSComponentLoader@@QAEPBUModule@mozilla@@AAVFileLocation@3@@Z
+?JS_ClearPendingException@@YAXPAUJSContext@@@Z
+?createForGlobalScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@W4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@GlobalScope@3@PAU?$TypedIndex@VScope@js@@@23@@Z
+?init@?$BaseAbstractBindingIter@$$CBVParserAtom@frontend@js@@@js@@IAEXAAU?$AbstractData@$$CBVParserAtom@frontend@js@@@GlobalScope@2@@Z
+?columnAt@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@UBEII@Z
+?strictifySetNameOp@BytecodeEmitter@frontend@js@@QAE?AW4JSOp@@W44@@Z
+??$createSpecificScope@VGlobalScope@js@@$$T@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+??1AutoMemMap@loader@mozilla@@QAE@XZ
+?WriteCachedScript@@YA?AW4nsresult@@PAVStartupCache@scache@mozilla@@AAV?$nsTSubstring@D@@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?EncodeScript@JS@@YA?AW4TranscodeResult@1@PAUJSContext@@AAV?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@mozilla@@V?$Handle@PAVJSScript@@@1@@Z
+?codeScript@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@V?$MutableHandle@PAVJSScript@@@JS@@@Z
+?AsHostLayer@Layer@layers@mozilla@@UAEPAVHostLayer@23@XZ
+?codeFunction@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@V?$MutableHandle@PAVJSFunction@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@6@@Z
+?growStorageBy@?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@mozilla@@AAE_NI@Z
+??$XDRScript@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@V?$Handle@PAVScope@js@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@5@V?$Handle@PAVJSObject@@@5@V?$MutableHandle@PAVJSScript@@@5@@Z
+??$XDR@$0A@@ScriptSource@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@1@ABV?$Maybe@VCompileOptions@JS@@@3@V?$MutableHandle@VScriptSourceHolder@js@@@JS@@@Z
+?codeCharsZ@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@AAV?$MaybeOneOf@PBDV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@@4@@Z
+??$XDR@$0A@@GlobalScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@1@W4ScopeKind@1@V?$MutableHandle@PAVScope@js@@@JS@@@Z
+??$XDRInterpretedFunction@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@V?$Handle@PAVScope@js@@@JS@@V?$Handle@PAVScriptSourceObject@js@@@5@V?$MutableHandle@PAVJSFunction@@@5@@Z
+??$XDR@$0A@@FunctionScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@1@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVScope@js@@@6@V?$MutableHandle@PAVScope@js@@@6@@Z
+??$SprintfLiteral@$0L@@@YAHAAY0L@DPBDZZ
+??$XDRImmutableScriptData@$0A@@js@@YA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@0@AAV?$UniquePtr@VImmutableScriptData@js@@U?$DeletePolicy@VImmutableScriptData@js@@@JS@@@2@@Z
+??$XDR@$0A@@LexicalScope@js@@SA?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PAV?$XDRState@$0A@@1@W4ScopeKind@1@V?$Handle@PAVScope@js@@@JS@@V?$MutableHandle@PAVScope@js@@@7@@Z
+?kind@AbstractScopePtr@js@@QBE?AW4ScopeKind@2@XZ
+?nextFrameSlot@AbstractScopePtr@js@@QBEIXZ
+?PutBuffer@StartupCache@scache@mozilla@@QAE?AW4nsresult@@PBD$$QAV?$UniquePtr@$$BY0A@DV?$DefaultDelete@$$BY0A@D@mozilla@@@3@I@Z
+?HasEntry@StartupCache@scache@mozilla@@QAE_NPBD@Z
+?GetManager@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIComponentManager@@@Z
+NS_GetComponentManager
+?Release@nsComponentManagerImpl@@UAGKXZ
+?needsImplicitThis@BytecodeEmitter@frontend@js@@QAE_NXZ
+?XPC_WN_Helper_HasInstance@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@3@PA_N@Z
+?ToPropertyKeySlow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@UPropertyKey@JS@@@4@@Z
+?ToPrimitiveSlow@js@@YA_NPAUJSContext@@W4JSType@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?OrdinaryToPrimitive@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@W4JSType@@V?$MutableHandle@VValue@JS@@@1@@Z
+?JS_NewStringCopyZ@@YAPAVJSString@@PAUJSContext@@PBD@Z
+?JS_ValueToObject@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@PAVJSObject@@@3@@Z
+?GetComponentLoadStack@mozJSComponentLoader@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@AAV3@@Z
+?next@SetIteratorObject@js@@SA_NPAV12@PAVArrayObject@2@@Z
+?keys@SetObject@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$GCVector@VValue@JS@@$0A@VTempAllocPolicy@js@@@JS@@@5@@Z
+?create@SetObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?randomHashCodeScrambler@Realm@JS@@QAE?AVHashCodeScrambler@mozilla@@XZ
+?rehashTableInPlace@?$HashTable@$$CBUPropertyKey@JS@@USetHashPolicy@?$HashSet@UPropertyKey@JS@@U?$DefaultHasher@UPropertyKey@JS@@X@mozilla@@VTempAllocPolicy@js@@@mozilla@@VTempAllocPolicy@js@@@detail@mozilla@@AAEXXZ
+?LegacyCall@MozQueryInterface@dom@mozilla@@QBEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?DoStartup@nsXREDirProvider@@UAG?AW4nsresult@@XZ
+?BytesProcessed@ThrottleQueue@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?GetBool@Preferences@mozilla@@SA?AW4nsresult@@PBDPA_NW4PrefValueKind@2@@Z
+?NotifyObservers@nsObserverList@@QAEXPAVnsISupports@@PBDPB_S@Z
+?GetObserverList@nsObserverList@@QAEXPAPAVnsISimpleEnumerator@@@Z
+?GetValue@?$nsMaybeWeakPtr@VnsIObserver@@@@QBE?BV?$nsCOMPtr@VnsIObserver@@@@XZ
+?QueryInterface@nsWeakReference@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?assign_from_query_referent@nsCOMPtr_base@@QAIXABVnsQueryReferent@@ABUnsID@@@Z
+?MemoryCacheCapacity@CacheObserver@net@mozilla@@SAIXZ
+?Shutdown@CacheObserver@net@mozilla@@SA?AW4nsresult@@XZ
+?GetComplex@Preferences@mozilla@@SA?AW4nsresult@@PBDABUnsID@@PAPAXW4PrefValueKind@2@@Z
+?SetInt@Preferences@mozilla@@SA?AW4nsresult@@PBDHW4PrefValueKind@2@@Z
+?Init@CacheFileIOManager@net@mozilla@@SA?AW4nsresult@@XZ
+?GetNextHash@CacheIndexIterator@net@mozilla@@QAE?AW4nsresult@@PAY0BE@E@Z
+??$ReadInteger@I@?$TTokenizer@D@mozilla@@QAE_NPAI@Z
+??$MakeRefPtr@VThreadEventQueue@mozilla@@V?$UniquePtr@VEventQueue@mozilla@@V?$DefaultDelete@VEventQueue@mozilla@@@2@@2@@mozilla@@YA?AV?$RefPtr@VThreadEventQueue@mozilla@@@@$$QAV?$UniquePtr@VEventQueue@mozilla@@V?$DefaultDelete@VEventQueue@mozilla@@@2@@0@@Z
+?YieldInternal@CacheIOThread@net@mozilla@@AAE_NXZ
+?CreateCurrentThread@nsThreadManager@@QAEPAVnsThread@@PAVSynchronizedEventQueue@mozilla@@W4MainThreadFlag@2@@Z
+?Release@CacheIOThread@net@mozilla@@UAGKXZ
+?SizeOfIncludingThis@CacheEntry@net@mozilla@@QBEIP6AIPBX@Z@Z
+?LogDispatch@?$LogTaskBase@VFrameRequestCallback@dom@mozilla@@@mozilla@@SAXPAVFrameRequestCallback@dom@2@@Z
+?EvictByContext@CacheFileIOManager@net@mozilla@@SA?AW4nsresult@@PAVnsILoadContextInfo@@_NABV?$nsTSubstring@_S@@@Z
+?GetAllForPrincipal@PermissionManager@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@AAV?$nsTArray@V?$RefPtr@VnsIPermission@@@@@@@Z
+??_G?$RunnableMethodImpl@PAUIDispatch@@P8IUnknown@@AGKXZ$0A@$0A@$$V@detail@mozilla@@EAEPAXI@Z
+?GetCString@Preferences@mozilla@@SA?AW4nsresult@@PBDAAV?$nsTSubstring@D@@W4PrefValueKind@2@@Z
+?OpenAlternativeInputStream@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIInputStream@@@Z
+?DiskCacheCapacity@CacheObserver@net@mozilla@@SAIXZ
+?GetSystemPrincipal@nsContentUtils@@SAPAVnsIPrincipal@@XZ
+?NS_NewChannel@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsIPrincipal@@IIPAVnsICookieJarSettings@@PAVPerformanceStorage@dom@mozilla@@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@I@Z
+?NS_NewChannelInternal@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsINode@@PAVnsIPrincipal@@3ABV?$Maybe@VClientInfo@dom@mozilla@@@mozilla@@ABV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@7@IIPAVnsICookieJarSettings@@PAVPerformanceStorage@dom@7@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@I@Z
+??0LoadInfo@net@mozilla@@QAE@PAVnsIPrincipal@@0PAVnsINode@@IIABV?$Maybe@VClientInfo@dom@mozilla@@@2@ABV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@2@I@Z
+?GetFormats@RsdparsaSdpMediaSection@mozilla@@UBEABV?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@XZ
+?NewChannelFromURIWithProxyFlagsInternal@nsIOService@net@mozilla@@AAE?AW4nsresult@@PAVnsIURI@@0IPAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?NewChannel@nsResProtocolHandler@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?NewChannel@SubstitutingProtocolHandler@net@mozilla@@QAE?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?GetResultPrincipalURI@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?NS_NewChannelInternal@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsILoadInfo@@PAVPerformanceStorage@dom@mozilla@@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@@Z
+?NewChannelFromURIWithLoadInfo@nsIOService@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?NewChannel@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+??_GnsDataChannel@@UAEPAXI@Z
+??0nsBaseChannel@@QAE@XZ
+?SetLoadInfo@nsBaseChannel@@UAG?AW4nsresult@@PAVnsILoadInfo@@@Z
+?SetupNeckoTarget@nsBaseChannel@@MAEXXZ
+?GetEventTargetByLoadInfo@nsContentUtils@@SA?AU?$already_AddRefed@VnsISerialEventTarget@@@@PAVnsILoadInfo@@W4TaskCategory@mozilla@@@Z
+?SetApp@JumpListShortcut@widget@mozilla@@UAG?AW4nsresult@@PAVnsILocalHandlerApp@@@Z
+?GetMainThreadEventTarget@mozilla@@YAPAVnsIEventTarget@@XZ
+?QueryInterface@FileChannelParent@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetLoadInfo@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsILoadInfo@@@Z
+?GetLoadingSandboxed@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Release@LoadInfo@net@mozilla@@UAGKXZ
+?SetResultPrincipalURI@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?SetOriginalURI@nsBaseChannel@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?Open@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsIInputStream@@@Z
+?doContentSecurityCheck@nsContentSecurityManager@@SA?AW4nsresult@@PAVnsIChannel@@AAV?$nsCOMPtr@VnsIStreamListener@@@@@Z
+?GetAllowDeprecatedSystemRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?SetIsFormSubmission@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?NS_GetFinalChannelURI@@YA?AW4nsresult@@PAVnsIChannel@@PAPAVnsIURI@@@Z
+?GetOriginalURI@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetInitialSecurityCheckDone@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetSecurityMode@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?CSP_AppendCSPFromHeader@@YA?AW4nsresult@@PAVnsIContentSecurityPolicy@@ABV?$nsTSubstring@_S@@_N@Z
+?GetCookiePolicy@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?InternalContentPolicyType@LoadInfo@net@mozilla@@UAEIXZ
+?CallGetService@@YA?AW4nsresult@@PBDABUnsID@@PAPAX@Z
+?CreateContentPolicy@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_NewContentPolicy@@YA?AW4nsresult@@PAPAVnsIContentPolicy@@@Z
+?QueryInterface@nsContentPolicy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@BasicCardMethodChangeDetails@dom@mozilla@@UAGKXZ
+?NS_CheckContentLoadPolicy@@YA?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAFPAVnsIContentPolicy@@@Z
+?ConsultCSP@CSPService@@SA?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?GetParserCreatedScript@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetAsMozBrowserFrame@nsGenericHTMLFrameElement@@UAEPAVnsIMozBrowserFrame@@XZ
+?QueryInterface@CSPService@@W3AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetCspNonce@LoadInfo@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?SetLoadingEmbedderPolicy@LoadInfo@net@mozilla@@UAG?AW4nsresult@@W4CrossOriginEmbedderPolicy@nsILoadInfo@@@Z
+?SetInitialSecurityCheckDone@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?NS_GetFileProtocolHandler@@YA?AW4nsresult@@PAPAVnsIFileProtocolHandler@@PAVnsIIOService@@@Z
+?ReadURLFile@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@PAPAVnsIURI@@@Z
+?LowerCaseEqualsASCII@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPBDI@Z
+?ReadShellLink@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@PAPAVnsIURI@@@Z
+?NS_NewLocalFileInputStream@@YA?AW4nsresult@@PAPAVnsIInputStream@@PAVnsIFile@@HHH@Z
+?Create@nsFileInputStream@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsFileInputStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@MediaDocumentStreamListener@dom@mozilla@@UAGKXZ
+?Init@nsFileInputStream@@UAG?AW4nsresult@@PAVnsIFile@@HHH@Z
+?Release@nsFileInputStream@@W3AGKXZ
+?DoOpen@nsFileStreamBase@@MAE?AW4nsresult@@XZ
+?HasContentTypeHint@nsBaseChannel@@QBE_NXZ
+?GetSingleton@nsExternalHelperAppService@@SA?AU?$already_AddRefed@VnsExternalHelperAppService@@@@XZ
+??0nsOSHelperAppService@@QAE@XZ
+??0nsExternalHelperAppService@@QAE@XZ
+??_9IUnknown@@$B7AG
+?NS_NewTimerWithFuncCallback@@YA?AW4nsresult@@PAPAVnsITimer@@P6AXPAV2@PAX@Z2IIPBDPAVnsIEventTarget@@@Z
+??1Run@?$LogTaskBase@VFrameRequestCallback@dom@mozilla@@@mozilla@@QAE@XZ
+?GetEntryInfo@CacheFileIOManager@net@mozilla@@SA?AW4nsresult@@PAY0BE@$$CBEPAVEntryInfoCallback@CacheStorageService@23@@Z
+?HumanReadablePath@nsIFile@@QAE?AV?$nsTString@D@@XZ
+?Init@nsExternalHelperAppService@@QAE?AW4nsresult@@XZ
+?Release@nsExternalHelperAppService@@UAGKXZ
+?QueryInterface@nsExternalHelperAppService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetTypeFromFile@nsExternalHelperAppService@@UAG?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?NS_ShouldClassifyChannel@@YA_NPAVnsIChannel@@@Z
+?GetDefaultTransactionType@Connection@storage@mozilla@@UAG?AW4nsresult@@PAH@Z
+?QueryInterface@nsBaseChannel@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsHashPropertyBag@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@HttpBaseChannel@net@mozilla@@UAGKXZ
+?GetURLSpecFromDir@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?UseSynchronousTaskDispatch@Private@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEXPBD@Z
+??1nsBaseChannel@@MAE@XZ
+??$ProxyRelease@VnsISupports@@@detail@@YAXPBDPAVnsIEventTarget@@U?$already_AddRefed@VnsISupports@@@@_N@Z
+??1LoadInfo@net@mozilla@@AAE@XZ
+??1nsHashPropertyBag@@MAE@XZ
+?SetHttpHandlerAlreadyShutingDown@nsIOService@net@mozilla@@QAEXXZ
+?Equals@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPB_S@Z
+?Stop@CaptivePortalService@net@mozilla@@QAE?AW4nsresult@@XZ
+??1nsTimerImpl@@AAE@XZ
+?GetXPCOMSingleton@CookieService@net@mozilla@@SA?AU?$already_AddRefed@VnsICookieService@@@@XZ
+?Rollback@mozStorageTransaction@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsEffectiveTLDService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?UpdateIsOnContentBlockingAllowList@CookieJarSettings@net@mozilla@@QAEXPAVnsIChannel@@@Z
+?RecvSetCookies@CookieServiceParent@net@mozilla@@IAE?AVIPCResult@ipc@3@ABV?$nsTString@D@@ABVOriginAttributes@3@PAVnsIURI@@_NABV?$nsTArray@VCookieStruct@net@mozilla@@@@@Z
+?GetIntPref@Preferences@mozilla@@UAG?AW4nsresult@@PBDPAH@Z
+?GetIntPref@nsPrefBranch@@UAG?AW4nsresult@@PBDPAH@Z
+?TestPermissionWithoutDefaultsFromPrincipal@PermissionManager@mozilla@@QAE?AW4nsresult@@PAVnsIPrincipal@@ABV?$nsTSubstring@D@@PAI@Z
+??1mozStorageTransaction@@QAE@XZ
+?localeCompareStrings@Service@storage@mozilla@@QAEHABV?$nsTSubstring@_S@@0H@Z
+??0Connection@storage@mozilla@@QAE@PAVService@12@HW4ConnectionOperation@012@_N@Z
+?registerConnection@Service@storage@mozilla@@QAEXPAVConnection@23@@Z
+?initialize@Connection@storage@mozilla@@QAE?AW4nsresult@@PAVnsIFile@@@Z
+?AsyncGetDiskConsumption@CacheIndex@net@mozilla@@SA?AW4nsresult@@PAVnsICacheStorageConsumptionObserver@@@Z
+??0NS_ConvertUTF8toUTF16@@QAE@PBDI@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$nsCOMPtr@VnsIRunnable@@@@U1@@?$nsTArray_Impl@V?$nsCOMPtr@VnsIRunnable@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsCOMPtr@VnsIRunnable@@@@$$QAV0@@Z
+??0nsApplicationCacheService@@QAE@XZ
+?initialize@Connection@storage@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@0@Z
+?AppendIntDec@?$nsTSubstring@D@@AAEX_J@Z
+?initialize@Connection@storage@mozilla@@QAE?AW4nsresult@@PAVnsIFileURL@@ABV?$nsTSubstring@D@@@Z
+?RecordQueryStatus@Connection@storage@mozilla@@QAEXH@Z
+?Accumulate@TelemetryHistogram@@YAXW4HistogramID@Telemetry@mozilla@@ABV?$nsTString@D@@I@Z
+?GetMaxScrollX@xpcAccScrollingEvent@@UAG?AW4nsresult@@PAI@Z
+?ReadAheadFile@mozilla@@YAXPAVnsIFile@@IIPAPAX@Z
+?GetLibraryFilePathname@mozilla@@YA?AV?$nsTString@_S@@PB_WP6AXXZ@Z
+?registerCollations@storage@mozilla@@YAHPAUsqlite3@@PAVService@12@@Z
+?convertResultCode@storage@mozilla@@YA?AW4nsresult@@H@Z
+?getAsyncExecutionTarget@Connection@storage@mozilla@@QAEPAVnsIEventTarget@@XZ
+?getFilename@Connection@storage@mozilla@@QAE?AV?$nsTString@D@@XZ
+?ExecuteSimpleSQLAsync@Connection@storage@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVmozIStorageStatementCallback@@PAPAVmozIStoragePendingStatement@@@Z
+?databaseElementExists@Connection@storage@mozilla@@AAE?AW4nsresult@@W4DatabaseElementType@123@ABV?$nsTSubstring@D@@PA_N@Z
+?prepareStatement@Connection@storage@mozilla@@QAEHPAUsqlite3@@ABV?$nsTString@D@@PAPAUsqlite3_stmt@@@Z
+?stepStatement@Connection@storage@mozilla@@QAEHPAUsqlite3@@PAUsqlite3_stmt@@@Z
+?ParseIntervalQuantifier@RegExpParser@internal@v8@@AAE_NPAH0@Z
+?GetLastErrorString@Connection@storage@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+??0Statement@storage@mozilla@@QAE@XZ
+?initialize@Statement@storage@mozilla@@QAE?AW4nsresult@@PAVConnection@23@PAUsqlite3@@ABV?$nsTSubstring@D@@@Z
+?growStorageBy@?$Vector@VValue@JS@@$0A@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?GetParameterIndex@Statement@storage@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAI@Z
+?Create@nsEnvironment@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?Release@Statement@storage@mozilla@@UAGKXZ
+?internalFinalize@Statement@storage@mozilla@@AAE?AW4nsresult@@_N@Z
+?Release@Connection@storage@mozilla@@UAGKXZ
+?Read@nsFileInputStream@@UAG?AW4nsresult@@PADIPAI@Z
+?Read@nsFileStreamBase@@IAE?AW4nsresult@@PADIPAI@Z
+?First@?$nsTStringRepr@D@detail@mozilla@@QBEDXZ
+?ParseString@@YAXABV?$nsTSubstring@D@@DAAV?$nsTArray@V?$nsTString@D@@@@@Z
+?ToInteger@?$nsTSubstring@D@@QBEHPAW4nsresult@@I@Z
+?CreateInstanceByContractID@nsComponentManagerImpl@@UAG?AW4nsresult@@PBDPAVnsISupports@@ABUnsID@@PAPAX@Z
+?LookupNameWithGlobalDefault@js@@YA_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@PAVJSObject@@@4@@Z
+?fun_apply@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?fun_call@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?NewBindingParamsArray@StorageBaseStatementInternal@storage@mozilla@@MAG?AW4nsresult@@PAPAVmozIStorageBindingParamsArray@@@Z
+?Release@BindingParamsArray@storage@mozilla@@UAGKXZ
+??0BindingParams@storage@mozilla@@QAE@PAVmozIStorageBindingParamsArray@@PAVStatement@12@@Z
+?AddParams@BindingParamsArray@storage@mozilla@@UAG?AW4nsresult@@PAVmozIStorageBindingParams@@@Z
+?lock@BindingParams@storage@mozilla@@QAEXXZ
+?lock@BindingParamsArray@storage@mozilla@@QAEXXZ
+?convertVariantToStorageVariant@storage@mozilla@@YAPAVVariant_base@12@PAVnsIVariant@@@Z
+?QueryInterface@Variant_base@storage@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetDataType@?$Variant@_J$0A@@storage@mozilla@@UAEGXZ
+?GetAsDouble@?$Variant@N$0A@@storage@mozilla@@UAG?AW4nsresult@@PAN@Z
+?Release@ConnectionHandle@net@mozilla@@UAGKXZ
+??_G?$Variant@_J$0A@@storage@mozilla@@EAEPAXI@Z
+?Close@nsFileInputStream@@UAG?AW4nsresult@@XZ
+??_GnsFileInputStream@@MAEPAXI@Z
+??1nsFileInputStream@@MAE@XZ
+?next@MapIteratorObject@js@@SA_NPAV12@PAVArrayObject@2@@Z
+?getKeysAndValuesInterleaved@MapObject@js@@SA_NV?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$GCVector@VValue@JS@@$0A@VTempAllocPolicy@js@@@JS@@@4@@Z
+?create@MapObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+??$Int32ToString@$0A@@js@@YAPAVJSLinearString@@PAUJSContext@@H@Z
+?CallSetter@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@11@Z
+?ValueToIterator@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?EnumerateProperties@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@4@@Z
+?changeTableSize@?$HashTable@$$CBUPropertyKey@JS@@USetHashPolicy@?$HashSet@UPropertyKey@JS@@U?$DefaultHasher@UPropertyKey@JS@@X@mozilla@@VTempAllocPolicy@js@@@mozilla@@VTempAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?InstrumentationScriptIdOperation@js@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?changeTableSize@?$HashTable@QAVPropertyIteratorObject@js@@USetHashPolicy@?$HashSet@PAVPropertyIteratorObject@js@@UIteratorHashPolicy@2@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?createRestParameter@InterpreterFrame@js@@QAEPAVArrayObject@2@PAUJSContext@@@Z
+?clone@Scope@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVScope@js@@@JS@@1@Z
+?finishBoundFunctionInit@JSFunction@@SA_NPAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@4@H@Z
+?getOrCreateScript@JSFunction@@SAPAVJSScript@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?emitLoadTypeOfObjectResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?typeOfObject@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@111@Z
+?DoSetElemFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICSetElem_Fallback@12@PAVValue@JS@@V?$Handle@VValue@JS@@@7@44@Z
+?LookupOwnPropertyPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAVPropertyResult@5@PA_N@Z
+?SetObjectElementWithReceiver@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@22_N@Z
+?tryAttachAddSlotStub@SetPropIRGenerator@jit@js@@QAE?AW4AttachDecision@23@V?$Handle@PAVObjectGroup@js@@@JS@@V?$Handle@PAVShape@js@@@6@@Z
+?trackAttached@SetPropIRGenerator@jit@js@@QAEXPBD@Z
+??0mozStorageTransaction@@QAE@PAVmozIStorageConnection@@_NH1@Z
+?emitMegamorphicLoadSlotByValueResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@_N@Z
+?ExecuteSimpleSQL@Connection@storage@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?DoRestFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICRest_Fallback@12@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?emitFinishBoundFunctionInitResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0VInt32OperandId@23@@Z
+?Push@MacroAssembler@jit@js@@QAEXVTypedOrValueRegister@23@@Z
+??$GetNativeDataPropertyByValuePure@$00@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVValue@JS@@@Z
+?emitGuardHasGetterSetter@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@I@Z
+?IsOnCurrentThread@nsThread@@UAG?AW4nsresult@@PA_N@Z
+?isAsyncExecutionThreadAvailable@Connection@storage@mozilla@@QAE_NXZ
+?DoGetIteratorFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetIterator_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0GetIteratorIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@@Z
+?tryAttachStub@GetIteratorIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?LookupInIteratorCache@js@@YAPAVPropertyIteratorObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?emitGuardNoDenseElements@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?defineRegister@CacheRegisterAllocator@jit@js@@QAE?AURegister@23@AAVMacroAssembler@23@VTypedOperandId@23@@Z
+?branchIfNativeIteratorNotReusable@MacroAssembler@jit@js@@QAEXURegister@23@PAVLabel@23@@Z
+?emitRegisterEnumerator@CacheIRCompiler@jit@js@@IAEXURegister@23@00@Z
+?ObjectHasGetterSetterPure@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVShape@2@@Z
+?New@MTableSwitch@jit@js@@SAPAV123@AAVTempAllocator@23@PAVMDefinition@23@HH@Z
+?growStorageBy@?$Vector@I$0A@VJitAllocPolicy@jit@js@@@mozilla@@AAE_NI@Z
+?tableSwitchCaseOffset@JSScript@@QBEIPAEI@Z
+?Database@IDBMutableFile@dom@mozilla@@QBEPAVIDBDatabase@23@XZ
+?getSuccessor@MTableSwitch@jit@js@@UBEPAVMBasicBlock@23@I@Z
+?unregisterConnection@Service@storage@mozilla@@QAEXPAVConnection@23@@Z
+?growStorageBy@?$Vector@PAVMBasicBlock@jit@js@@$03VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+?indexOf@?$MVariadicT@VMInstruction@jit@js@@@jit@js@@UBEIPBVMUse@23@@Z
+??0FrameIter@js@@QAE@PAUJSContext@@W4DebuggerEvalOption@01@@Z
+??0InlineFrameIterator@jit@js@@QAE@PAUJSContext@@PBVJSJitFrameIter@12@@Z
+?done@JitFrameIter@js@@QBE_NXZ
+?isConstructing@FrameIter@js@@QBE_NXZ
+?IsAsmJSModule@js@@YA_NPAVJSFunction@@@Z
+?swapAt@MBasicBlock@jit@js@@QAEXH@Z
+?createExpected@ArgumentsObject@js@@SAPAV12@PAUJSContext@@VAbstractFramePtr@2@@Z
+??$create@UCopyFrameArgs@@@ArgumentsObject@js@@KAPAV01@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@IAAUCopyFrameArgs@@@Z
+??EActivationIterator@js@@QAEAAV01@XZ
+?getInitialShape@EmptyShape@js@@SAPAVShape@2@PAUJSContext@@PBUJSClass@@VTaggedProto@2@W4AllocKind@gc@2@I@Z
+?ToInt32Slow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PAH@Z
+?ContractID@StaticModule@xpcom@mozilla@@QBE?AV?$nsTString@D@@XZ
+??$AllocateStringImpl@VJSFatInlineString@@$0A@@js@@YAPAVJSFatInlineString@@PAUJSContext@@W4InitialHeap@gc@0@@Z
+?baselineScriptAndPc@JSJitFrameIter@jit@js@@QBEXPAPAVJSScript@@PAPAE@Z
+?emitGuardMagicValue@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@W4JSWhyMagic@@@Z
+?ImplicitThisOperation@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVPropertyName@js@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?Release@nsDirectoryService@@UAGKXZ
+?ReadArrayBuffer@nsBinaryInputStream@@UAG?AW4nsresult@@IV?$Handle@VValue@JS@@@JS@@PAUJSContext@@PAI@Z
+?SetCString@Preferences@mozilla@@SA?AW4nsresult@@PBDABV?$nsTSubstring@D@@W4PrefValueKind@2@@Z
+?Throw@xpc@@YA_NPAUJSContext@@W4nsresult@@@Z
+?GetPendingException@CycleCollectedJSContext@mozilla@@QBE?AU?$already_AddRefed@VException@dom@mozilla@@@@XZ
+?NameAndFormatForNSResult@nsXPCException@@SA_NW4nsresult@@PAPBD1@Z
+?JS_smprintf@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PBDZZ
+??$Vsmprintf@VSystemAllocPolicy@js@@@mozilla@@YA?AV?$UniquePtr@DU?$AllocPolicyBasedFreePolicy@VSystemAllocPolicy@js@@@detail@mozilla@@@0@PBDPAD@Z
+?JS_vsmprintf@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PBDPAD@Z
+?Throw@dom@mozilla@@YA_NPAUJSContext@@W4nsresult@@ABV?$nsTSubstring@D@@@Z
+?getPrototypeIfOrdinary@BaseDOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PA_NV?$MutableHandle@PAVJSObject@@@6@@Z
+??0Exception@dom@mozilla@@QAE@ABV?$nsTSubstring@D@@W4nsresult@@0PAVnsIStackFrame@@PAVnsISupports@@@Z
+?GetCurrentJSStack@dom@mozilla@@YA?AU?$already_AddRefed@VnsIStackFrame@@@@H@Z
+?CreateStack@exceptions@dom@mozilla@@YA?AU?$already_AddRefed@VnsIStackFrame@@@@PAUJSContext@@$$QAV?$Variant@UAllFrames@JS@@UMaxFrames@2@UFirstSubsumedFrame@2@@3@@Z
+?CaptureCurrentStack@JS@@YA_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@1@$$QAV?$Variant@UAllFrames@JS@@UMaxFrames@2@UFirstSubsumedFrame@2@@mozilla@@@Z
+?saveCurrentStack@SavedStacks@js@@QAE_NPAUJSContext@@V?$MutableHandle@PAVSavedFrame@js@@@JS@@$$QAV?$Variant@UAllFrames@JS@@UMaxFrames@2@UFirstSubsumedFrame@2@@mozilla@@@Z
+?hasUsableAbstractFramePtr@FrameIter@js@@QBE_NXZ
+?abstractFramePtr@FrameIter@js@@QBE?AVAbstractFramePtr@2@XZ
+?displayURL@FrameIter@js@@QBEPB_SXZ
+?PCToLineNumber@js@@YAIPAVJSScript@@PAEPAI@Z
+?maybeFunctionDisplayAtom@FrameIter@js@@QBEPAVJSAtom@@XZ
+?mutedErrors@FrameIter@js@@QBE_NXZ
+??EFrameIter@js@@QAEAAV01@XZ
+??EInterpreterFrameIterator@js@@QAEAAV01@XZ
+?ensureHash@?$MovableCellHasher@PAVSavedFrame@js@@@js@@SA_NABQAVSavedFrame@2@@Z
+?hash@?$MovableCellHasher@PAVSavedFrame@js@@@js@@SAIABQAVSavedFrame@2@@Z
+?create@SavedFrame@js@@CAPAV12@PAUJSContext@@@Z
+?getAsyncCause@SavedFrame@js@@QAEPAVJSAtom@@XZ
+?ensureSlotsForDictionaryObject@NativeObject@js@@IAE_NPAUJSContext@@I@Z
+?initParent@SavedFrame@js@@AAEXPAV12@@Z
+?AddRef@XULContentSinkImpl@@UAGKXZ
+?AddRef@AbortController@dom@mozilla@@UAGKXZ
+?ThrowExceptionObject@dom@mozilla@@YAXPAUJSContext@@PAVException@12@@Z
+?GetName@Exception@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?Wrap@Exception_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVException@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetConstructorObject@DOMException_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?setPendingExceptionAndCaptureStack@JSContext@@QAEXV?$Handle@VValue@JS@@@JS@@@Z
+?CaptureStack@js@@YA_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?DisableRecordingAllocations@JS@@YAXPAUJSContext@@@Z
+?setPendingException@JSContext@@QAEXV?$Handle@VValue@JS@@@JS@@V?$Handle@PAVSavedFrame@js@@@3@@Z
+?SetLargeAllocationFailure@CycleCollectedJSRuntime@mozilla@@QAEXW4OOMState@12@@Z
+?JS_GetErrorType@@YA?AV?$Maybe@W4JSExnType@@@mozilla@@ABVValue@JS@@@Z
+?isClosingGenerator@JSContext@@QAE_NXZ
+?getBigInt@JSScript@@QBEPAVBigInt@JS@@VGCThingIndex@js@@@Z
+?UnwindEnvironment@js@@YAXPAUJSContext@@AAVEnvironmentIter@1@PAE@Z
+?GetAndClearExceptionAndStack@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@V?$MutableHandle@PAVSavedFrame@js@@@4@@Z
+?getPendingException@JSContext@@QAE_NV?$MutableHandle@VValue@JS@@@JS@@@Z
+?getPendingExceptionStack@JSContext@@QAEPAVSavedFrame@js@@XZ
+?GetException@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Exception@@@Z
+??$GenericGetter@UNormalThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@II@Z
+?GeckoDependentInitialize@SandboxBroker@mozilla@@SAXXZ
+?BrowserTabsRemoteAutostart@mozilla@@YA_NXZ
+?GetSpecialSystemDirectory@@YA?AW4nsresult@@W4SystemDirectories@@PAPAVnsIFile@@@Z
+?Assign@?$nsTSubstring@_S@@QAIXABV?$nsTSubstringTuple@_S@@@Z
+?CloneRegExpObject@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVRegExpObject@js@@@JS@@@Z
+?createShared@RegExpObject@js@@CAPAVRegExpShared@2@PAUJSContext@@V?$Handle@PAVRegExpObject@js@@@JS@@@Z
+?get@RegExpZone@js@@QAEPAVRegExpShared@2@PAUJSContext@@V?$Handle@PAVJSAtom@@@JS@@VRegExpFlags@6@@Z
+?trace@?$RootedTraceable@V?$Variant@UImmediateMetadata@js@@UDelayMetadata@2@PAVJSObject@@@mozilla@@@js@@UAEXPAVJSTracer@@PBD@Z
+?gcNumber@Zone@JS@@QAE_KXZ
+??$Allocate@VRegExpShared@js@@$00@js@@YAPAVRegExpShared@0@PAUJSContext@@@Z
+?changeTableSize@?$HashTable@$$CBV?$WeakHeapPtr@PAVRegExpShared@js@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$pod_arena_malloc@UFakeSlot@?$HashTable@$$CBV?$WeakHeapPtr@PAVRegExpShared@js@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAUFakeSlot@?$HashTable@$$CBV?$WeakHeapPtr@PAVRegExpShared@js@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@II@Z
+?JS_AssignObject@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+??0?$HeapPtr@VValue@JS@@@js@@QAE@$$QAV01@@Z
+?changeTableSize@?$HashTable@$$CBUValueEdge@StoreBuffer@gc@js@@USetHashPolicy@?$HashSet@UValueEdge@StoreBuffer@gc@js@@U?$PointerEdgeHasher@UValueEdge@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@VSystemAllocPolicy@4@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?lookupForAdd@?$MutableWrappedPtrOperations@V?$GCHashSet@UPropertyKey@JS@@U?$DefaultHasher@UPropertyKey@JS@@X@mozilla@@VTempAllocPolicy@js@@@JS@@V?$Rooted@V?$GCHashSet@UPropertyKey@JS@@U?$DefaultHasher@UPropertyKey@JS@@X@mozilla@@VTempAllocPolicy@js@@@JS@@@2@@js@@QAE?AVAddPtr@?$HashTable@$$CBUPropertyKey@JS@@USetHashPolicy@?$HashSet@UPropertyKey@JS@@U?$DefaultHasher@UPropertyKey@JS@@X@mozilla@@VTempAllocPolicy@js@@@mozilla@@VTempAllocPolicy@js@@@detail@mozilla@@ABUPropertyKey@JS@@@Z
+?remove@?$HashSet@UValueEdge@StoreBuffer@gc@js@@U?$PointerEdgeHasher@UValueEdge@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@QAEXABUValueEdge@StoreBuffer@gc@js@@@Z
+?CreateInterfaceObjects@DOMException_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetRealmErrorPrototype@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?DefineUnforgeableAttributes@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBU?$Prefable@$$CBUJSPropertySpec@@@12@@Z
+?NewWeakMapObject@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+??_G?$FFmpegDecoderModule@$0CMFACHC@@mozilla@@UAEPAXI@Z
+?checkReturn@InterpreterFrame@js@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?GetUnaryMathFunctionName@js@@YAPBDW4UnaryMathFunction@1@@Z
+?math_roundf_impl@js@@YAMM@Z
+?math_round_handle@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?floor@fdlibm@@YANN@Z
+?emitMegamorphicHasPropResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@_N@Z
+?SharedData@nsFrameMessageManager@@QAEPAVWritableSharedMap@ipc@dom@mozilla@@XZ
+??0WritableSharedMap@ipc@dom@mozilla@@QAE@XZ
+?GetOriginalURI@RemoteWebProgressRequest@dom@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+??0DOMEventTargetHelper@mozilla@@QAE@XZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@AAEPAEI@Z
+?CreateInternal@SharedMemory@base@@AAE_NI_N@Z
+?Map@SharedMemory@base@@QAE_NIPAX@Z
+?Finalize@MemMapSnapshot@ipc@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@3@AAVAutoMemMap@loader@3@@Z
+?ReadOnlyCopy@SharedMemory@base@@QAE_NPAV12@@Z
+?Close@SharedMemory@base@@QAEX_N@Z
+?initWithHandle@AutoMemMap@loader@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@3@ABVFileDescriptor@ipc@3@IW4PRFileMapProtect@@@Z
+?ClonePlatformHandle@FileDescriptor@ipc@mozilla@@QBE?AV?$UniquePtr@PAXUFileHandleDeleter@detail@mozilla@@@3@XZ
+??1SharedMemory@base@@QAE@XZ
+?AddRef@AbortSignal@dom@mozilla@@UAGKXZ
+?AddRef@Animation@dom@mozilla@@UAGKXZ
+?GetReadOnly@WritableSharedMap@ipc@dom@mozilla@@QAEPAVSharedMap@234@XZ
+??0FileDescriptor@ipc@mozilla@@QAE@PAX@Z
+??0SharedMap@ipc@dom@mozilla@@QAE@PAVnsIGlobalObject@@ABVFileDescriptor@13@I$$QAV?$nsTArray@V?$RefPtr@VBlobImpl@dom@mozilla@@@@@@@Z
+??0DOMEventTargetHelper@mozilla@@QAE@PAVnsIGlobalObject@@@Z
+?AddEventTargetObject@nsIGlobalObject@@QAEXPAVDOMEventTargetHelper@mozilla@@@Z
+??0FileDescriptor@ipc@mozilla@@QAE@ABV012@@Z
+?Set@WritableSharedMap@ipc@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@D@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@4@@Z
+?Wrap@MozSharedMap_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSharedMap@ipc@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?CreateInterfaceObjects@MozSharedMap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@EventTarget_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?JS_SetImmutablePrototype@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PA_N@Z
+?Release@DOMEventTargetHelper@mozilla@@UAGKXZ
+??$HasNativeDataPropertyPure@$0A@@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVValue@JS@@@Z
+?ThrowingConstructor@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+??_G?$RootedDictionary@UFastPostMessageOptions@binding_detail@dom@mozilla@@@dom@mozilla@@UAEPAXI@Z
+?Get@SharedMap@ipc@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@D@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@4@@Z
+?Has@SharedMap@ipc@dom@mozilla@@QAE_NABV?$nsTSubstring@D@@@Z
+?Remove@Iterator@PLDHashTable@@QAEXXZ
+??$DelPropOperation@$00@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVPropertyName@js@@@3@PA_N@Z
+?NativeDeleteProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@AAVObjectOpResult@4@@Z
+?removeProperty@NativeObject@js@@SA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@UPropertyKey@5@@Z
+?queueDictionaryModeObjectToSweep@Nursery@js@@QAE_NPAVNativeObject@2@@Z
+?SuppressDeletedProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@UPropertyKey@4@@Z
+?str_fromCodePoint@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?AppendToListInFixedSlot@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@IV?$Handle@PAVJSObject@@@4@@Z
+?GetPropertyPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAVValue@5@@Z
+?getStringSplitStringGroup@ObjectGroupRealm@js@@SAPAVObjectGroup@2@PAUJSContext@@@Z
+?StringSplitString@js@@YAPAVArrayObject@1@PAUJSContext@@V?$Handle@PAVObjectGroup@js@@@JS@@V?$Handle@PAVJSString@@@5@2I@Z
+?init@AutoStableStringChars@JS@@QAE_NPAUJSContext@@PAVJSString@@@Z
+?array_push@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?growStorageBy@?$Vector@VMUse@jit@js@@$01VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+?optimizeOutAllUses@MDefinition@jit@js@@QAE_NAAVTempAllocator@23@@Z
+?IsArray@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@PA_N@Z
+?IsCrossRealmArrayConstructor@js@@YA_NPAUJSContext@@PAVJSObject@@PA_N@Z
+?array_construct@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetElement@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$MutableHandle@VValue@JS@@@4@@Z
+?ArrayConstructorOneArg@js@@YAPAVArrayObject@1@PAUJSContext@@V?$Handle@PAVArrayObject@js@@@JS@@H@Z
+?NewSplitEdge@MBasicBlock@jit@js@@SAPAV123@AAVMIRGraph@23@PAV123@I1@Z
+??$allocateArray@VMUse@jit@js@@@TempAllocator@jit@js@@QAEPAVMUse@12@I@Z
+?replaceSuccessor@?$MAryControlInstruction@$00$01@jit@js@@UAEXIPAVMBasicBlock@23@@Z
+?cmpl_i32r@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?GreaterThan@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?emitGuardIsNumber@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitCompareDoubleResult@CacheIRCompiler@jit@js@@IAE_NW4JSOp@@VNumberOperandId@23@1@Z
+??$ensureDouble@UAddress@jit@js@@@MacroAssembler@jit@js@@QAEXABUAddress@12@UFloatRegister@12@PAVLabel@12@@Z
+?twoByteOpSimd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4TwoByteOpcodeID@234@W4XMMRegisterID@234@33@Z
+?vcvtsi2sd@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@UFloatRegister@23@1@Z
+?loadDouble@MacroAssemblerX86Shared@jit@js@@QAEXABVOperand@23@UFloatRegister@23@@Z
+?ensureDouble@MacroAssemblerX86@jit@js@@QAEXABVValueOperand@23@UFloatRegister@23@PAVLabel@23@@Z
+?emitIsPackedArrayResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?setIsPackedArray@MacroAssembler@jit@js@@QAEXURegister@23@00@Z
+?branchArrayIsNotPacked@MacroAssembler@jit@js@@QAEXURegister@23@00PAVLabel@23@@Z
+?GetElementsWithAdder@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1IIPAVElementAdder@1@@Z
+?ArraySetLength@js@@YA_NPAUJSContext@@V?$Handle@PAVArrayObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@IV?$Handle@VValue@JS@@@4@AAVObjectOpResult@4@@Z
+?CloseIterator@js@@YAXPAVJSObject@@@Z
+??$unguardedCallPreBarrier@UBaseObjectElementIndex@jit@js@@@MacroAssembler@jit@js@@AAEXABUBaseObjectElementIndex@12@W4MIRType@12@@Z
+?typePolicy@MAtomicExchangeTypedArrayElement@jit@js@@UAEPBVTypePolicy@23@XZ
+?NewDependentString@js@@YAPAVJSLinearString@@PAUJSContext@@PAVJSString@@IIW4InitialHeap@gc@1@@Z
+?Add@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@ABV?$nsTSubstring@_S@@I@Z
+?str_indexOf@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?CallSelfHostedFunction@js@@YA_NPAUJSContext@@V?$Handle@PAVPropertyName@js@@@JS@@V?$Handle@VValue@JS@@@4@ABVAnyInvokeArgs@1@V?$MutableHandle@VValue@JS@@@4@@Z
+?entries@MapObject@js@@SA_NPAUJSContext@@IPAVValue@JS@@@Z
+?createObject@GlobalObject@js@@CAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@IP6A_N01@Z@Z
+?allocateBufferSameLocation@Nursery@js@@QAEPAXPAVJSObject@@I@Z
+?growStorageBy@?$Vector@PAVShape@js@@$0A@VTempAllocPolicy@2@@mozilla@@AAE_NI@Z
+?createResultPair@MapIteratorObject@js@@SAPAVJSObject@@PAUJSContext@@@Z
+?makeGroup@ObjectGroupRealm@js@@SAPAVObjectGroup@2@PAUJSContext@@PAVRealm@JS@@PBUJSClass@@V?$Handle@VTaggedProto@js@@@6@I@Z
+?setDenseElementUnchecked@NativeObject@js@@AAEXIABVValue@JS@@@Z
+?DoTrialInlining@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@@Z
+?getOrCreateInliningRoot@JitScript@jit@js@@QAEPAVInliningRoot@23@PAUJSContext@@PAVJSScript@@@Z
+?emitLoadObjectTruthyResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitGetNextMapSetEntryForIteratorResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0_N@Z
+?DoNewArrayFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICNewArray_Fallback@12@IV?$MutableHandle@VValue@JS@@@JS@@@Z
+?ConstructFromStack@js@@YA_NPAUJSContext@@ABVCallArgs@JS@@@Z
+?CreateGlobalMessageManager@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_NewGlobalMessageManager@@YA?AW4nsresult@@PAPAVnsISupports@@@Z
+?GetGlobalMessageManager@nsFrameMessageManager@@SA?AU?$already_AddRefed@VChromeMessageBroadcaster@dom@mozilla@@@@XZ
+?WrapObject@ChromeMessageBroadcaster@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ChromeMessageBroadcaster_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChromeMessageBroadcaster@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ChromeMessageBroadcaster_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?date_now@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SetTimeResolutionUsec@JS@@YAXI_N@Z
+?PRMJ_Now@@YA_JXZ
+?HasOwnProperty@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1PA_N@Z
+??$PrimitiveValueToId@$0A@@js@@YA_NPAUJSContext@@ABVValue@JS@@V?$FakeMutableHandle@UPropertyKey@JS@@@0@@Z
+??$NativeLookupOwnProperty@$0A@@js@@YA_NPAUJSContext@@ABQAVNativeObject@0@ABUPropertyKey@JS@@V?$FakeMutableHandle@VPropertyResult@JS@@@0@@Z
+?SetEventRecordingEnabled@TelemetryEvent@@YAXABV?$nsTSubstring@D@@_N@Z
+?GetConstructor@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIXPCComponents_Constructor@@@Z
+?JS_NewFunction@@YAPAVJSFunction@@PAUJSContext@@P6A_N0IPAVValue@JS@@@ZIIPBD@Z
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@PAVJSString@@@3@I@Z
+?JS_StringToId@@YA_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@V?$MutableHandle@UPropertyKey@JS@@@3@@Z
+?SubValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32SubResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?AppendToText@RegExpAtom@internal@v8@@UAEXPAVRegExpText@23@PAVZone@23@@Z
+?AddElement@RegExpText@internal@v8@@QAEXVTextElement@23@PAVZone@23@@Z
+?AppendToText@RegExpCharacterClass@internal@v8@@UAEXPAVRegExpText@23@PAVZone@23@@Z
+?shrinkCapacityToInitializedLength@NativeObject@js@@QAEXPAUJSContext@@@Z
+?InstanceofOperator@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@V?$Handle@VValue@JS@@@1@PA_N@Z
+?MakeDefaultConstructor@js@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEV?$Handle@PAVJSObject@@@5@@Z
+?getUnclonedSelfHostedFunction@JSRuntime@@QAEPAVJSFunction@@PAVPropertyName@js@@@Z
+?IsConstructor@JS@@YA_NPAVJSObject@@@Z
+?isDefaultPromiseState@PromiseLookup@js@@QAE_NPAUJSContext@@@Z
+?put@LSprinter@js@@UAE_NPBDI@Z
+?NewDenseEmptyArray@js@@YIPAVArrayObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?trace@?$RootedTraceable@UStackShape@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?isDefaultInstance@PromiseLookup@js@@AAE_NPAUJSContext@@PAVPromiseObject@2@W4Reinitialize@12@@Z
+?NewbornArrayPush@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABVValue@4@@Z
+?OriginalPromiseThen@js@@YAPAVPromiseObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@11@Z
+?GetObjectFromIncumbentGlobal@js@@YA_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?getIncumbentGlobal@JSRuntime@@QAEPAVGlobalObject@js@@PAUJSContext@@@Z
+?DoBindNameFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICBindName_Fallback@12@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0BindNameIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@PAVJSObject@@@5@V?$Handle@PAVPropertyName@js@@@5@@Z
+?tryAttachStub@BindNameIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?RegExpTester@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?regexp_sticky@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?create@RegExpStatics@js@@SAPAVRegExpStaticsObject@2@PAUJSContext@@@Z
+?execute@RegExpShared@js@@SA?AW4RegExpRunStatus@2@PAUJSContext@@V?$MutableHandle@PAVRegExpShared@js@@@JS@@V?$Handle@PAVJSLinearString@@@6@IPAVVectorMatchPairs@2@@Z
+?CompilePattern@irregexp@js@@YA_NPAUJSContext@@V?$MutableHandle@PAVRegExpShared@js@@@JS@@V?$Handle@PAVJSLinearString@@@5@W4CodeKind@RegExpShared@2@@Z
+?ParseRegExp@RegExpParser@internal@v8@@SA_NPAVIsolate@23@PAVZone@23@PAVFlatStringReader@23@VRegExpFlags@JS@@PAURegExpCompileData@23@@Z
+?CreateCaptureNameMap@RegExpParser@internal@v8@@AAE?AV?$Handle@VFixedArray@internal@v8@@@23@XZ
+?NewFixedArray@Isolate@internal@v8@@QAE?AV?$Handle@VFixedArray@internal@v8@@@23@H@Z
+?BindJumpTarget@RegExpMacroAssembler@internal@v8@@UAEXPAVLabel@23@@Z
+?Accept@RegExpAssertion@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?Accept@RegExpQuantifier@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?Accept@RegExpCharacterClass@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+??0RegExpCompiler@internal@v8@@QAE@PAVIsolate@12@PAVZone@12@H_N@Z
+?PreprocessRegExp@RegExpCompiler@internal@v8@@QAEPAVRegExpNode@23@PAURegExpCompileData@23@VRegExpFlags@JS@@_N@Z
+?ToNode@RegExpCapture@internal@v8@@SAPAVRegExpNode@23@PAVRegExpTree@23@HPAVRegExpCompiler@23@PAV423@@Z
+?StorePosition@ActionNode@internal@v8@@SAPAV123@H_NPAVRegExpNode@23@@Z
+?ToNode@RegExpAlternative@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?ToNode@RegExpAssertion@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?ToNode@RegExpQuantifier@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?ToNode@RegExpQuantifier@internal@v8@@SAPAVRegExpNode@23@HH_NPAVRegExpTree@23@PAVRegExpCompiler@23@PAV423@0@Z
+?CaptureRegisters@RegExpTree@internal@v8@@UAE?AVInterval@23@XZ
+??0ChoiceNode@internal@v8@@QAE@HPAVZone@12@@Z
+?ToNode@RegExpCharacterClass@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?Canonicalize@CharacterRange@internal@v8@@SAXPAV?$ZoneList@VCharacterRange@internal@v8@@@23@@Z
+?ranges@CharacterSet@internal@v8@@QAEPAV?$ZoneList@VCharacterRange@internal@v8@@@23@PAVZone@23@@Z
+??0TextNode@internal@v8@@QAE@PAVRegExpCharacterClass@12@_NPAVRegExpNode@12@@Z
+?AddLoopAlternative@LoopChoiceNode@internal@v8@@QAEXVGuardedAlternative@23@@Z
+?AddContinueAlternative@LoopChoiceNode@internal@v8@@QAEXVGuardedAlternative@23@@Z
+?IsAnchoredAtEnd@RegExpAssertion@internal@v8@@UAE_NXZ
+?IsAnchoredAtStart@RegExpAssertion@internal@v8@@UAE_NXZ
+?FilterOneByte@SeqRegExpNode@internal@v8@@UAEPAVRegExpNode@23@H@Z
+?FilterOneByte@TextNode@internal@v8@@UAEPAVRegExpNode@23@H@Z
+?FilterOneByte@LoopChoiceNode@internal@v8@@UAEPAVRegExpNode@23@H@Z
+??0SequencedTaskCheckerScope@internal@rtc@@QAE@PBVSequencedTaskChecker@2@@Z
+?FilterOneByte@ChoiceNode@internal@v8@@UAEPAVRegExpNode@23@H@Z
+?AnalyzeRegExp@internal@v8@@YA?AW4RegExpError@12@PAVIsolate@12@_NPAVRegExpNode@12@@Z
+?Accept@EndNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?ResizeAdd@?$ZoneList@VTextElement@internal@v8@@@internal@v8@@AAEXABVTextElement@23@PAVZone@23@@Z
+?Accept@AssertionNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?Accept@TextNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?Accept@LoopChoiceNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?ActorDestroy@BackgroundChildImpl@ipc@mozilla@@MAEXW4ActorDestroyReason@IProtocol@23@@Z
+??0RegExpBytecodeGenerator@internal@v8@@QAE@PAVIsolate@12@PAVZone@12@@Z
+??0RegExpMacroAssembler@internal@v8@@QAE@PAVIsolate@12@PAVZone@12@@Z
+?New@Zone@internal@v8@@QAEPAXI@Z
+?Assemble@RegExpCompiler@internal@v8@@QAE?AUCompilationResult@123@PAVIsolate@23@PAVRegExpMacroAssembler@23@PAVRegExpNode@23@HV?$Handle@VString@internal@v8@@@23@@Z
+?PushBacktrack@RegExpBytecodeGenerator@internal@v8@@UAEXPAVLabel@23@@Z
+?Emit@ChoiceNode@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?Bind@RegExpBytecodeGenerator@internal@v8@@UAEXPAVLabel@23@@Z
+?Emit@AssertionNode@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?CheckNotAtStart@RegExpBytecodeGenerator@internal@v8@@UAEXHPAVLabel@23@@Z
+?Emit@TextNode@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?LoadCurrentCharacterImpl@RegExpBytecodeGenerator@internal@v8@@UAEXHPAVLabel@23@_NHH@Z
+?is_standard@RegExpCharacterClass@internal@v8@@QAE_NPAVZone@23@@Z
+?Canonicalize@RegExpCaseFolding@internal@v8@@SAHH@Z
+?CheckCharacterGT@RegExpBytecodeGenerator@internal@v8@@UAEX_SPAVLabel@23@@Z
+?NewByteArray@Isolate@internal@v8@@QAE?AV?$Handle@VByteArray@internal@v8@@@23@HW4AllocationType@23@@Z
+?CheckBitInTable@RegExpBytecodeGenerator@internal@v8@@UAEXV?$Handle@VByteArray@internal@v8@@@23@PAVLabel@23@@Z
+?GoTo@RegExpBytecodeGenerator@internal@v8@@UAEXPAVLabel@23@@Z
+?Emit@LoopChoiceNode@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?WriteCurrentPositionToRegister@RegExpBytecodeGenerator@internal@v8@@UAEXHH@Z
+?AdvanceCurrentPosition@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?GreedyLoopTextLength@TextNode@internal@v8@@UAEHXZ
+?read_backward@LoopChoiceNode@internal@v8@@UAE_NXZ
+?PushCurrentPosition@RegExpBytecodeGenerator@internal@v8@@UAEXXZ
+?CanUseCanvasLayerForSize@LayerManager@layers@mozilla@@UAE_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?CheckPosition@RegExpMacroAssembler@internal@v8@@UAEXHPAVLabel@23@@Z
+?Emit@NegativeSubmatchSuccess@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?Succeed@RegExpBytecodeGenerator@internal@v8@@UAE_NXZ
+?PopCurrentPosition@RegExpBytecodeGenerator@internal@v8@@UAEXXZ
+?CheckGreedyLoop@RegExpBytecodeGenerator@internal@v8@@UAEXPAVLabel@23@@Z
+?Backtrack@RegExpBytecodeGenerator@internal@v8@@UAEXXZ
+?Fail@RegExpBytecodeGenerator@internal@v8@@UAEXXZ
+?GetCode@RegExpBytecodeGenerator@internal@v8@@UAE?AV?$Handle@VHeapObject@internal@v8@@@23@V?$Handle@VString@internal@v8@@@23@@Z
+?_Extract@?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBHH@std@@@std@@@std@@QAEPAU?$_Tree_node@U?$pair@$$CBHH@std@@PAX@2@V?$_Tree_const_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBHH@std@@@std@@@std@@@2@@Z
+??_GChoiceNode@internal@v8@@UAEPAXI@Z
+?Execute@irregexp@js@@YA?AW4RegExpRunStatus@2@PAUJSContext@@V?$MutableHandle@PAVRegExpShared@js@@@JS@@V?$Handle@PAVJSLinearString@@@6@IPAVVectorMatchPairs@2@@Z
+?MatchForCallFromRuntime@IrregexpInterpreter@internal@v8@@SA?AW4Result@123@PAVIsolate@23@V?$Handle@VJSRegExp@internal@v8@@@23@V?$Handle@VString@internal@v8@@@23@PAHHH@Z
+?MatchInternal@IrregexpInterpreter@internal@v8@@SA?AW4Result@123@PAVIsolate@23@VByteArray@23@VString@23@PAHHHHW4CallOrigin@RegExp@23@I@Z
+?intrinsic_GetElemBaseForLambda@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?values@SetObject@js@@SA_NPAUJSContext@@IPAVValue@JS@@@Z
+?createResult@SetIteratorObject@js@@SAPAVJSObject@@PAUJSContext@@@Z
+?ArrayToSource@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?init@AutoCycleDetector@js@@QAE_NXZ
+?ValueToSource@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?QuoteString@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PAVJSString@@D@Z
+?QuoteString@js@@YA_NPAVSprinter@1@PAVJSString@@D@Z
+??$QuoteString@$0A@E@js@@YA_NPAVSprinter@0@V?$Range@$$CBE@mozilla@@D@Z
+?put@Sprinter@js@@UAE_NPBDI@Z
+?finishString@JSStringBuilder@js@@QAEPAVJSLinearString@@XZ
+??$NewStringDontDeflate@$00E@js@@YAPAVJSLinearString@@PAUJSContext@@V?$UniquePtr@$$BY0A@EUFreePolicy@JS@@@mozilla@@IW4InitialHeap@gc@0@@Z
+??1AutoCycleDetector@js@@QAE@XZ
+?NewFunctionWithReserved@js@@YAPAVJSFunction@@PAUJSContext@@P6A_N0IPAVValue@JS@@@ZIIPBD@Z
+?Iterator@nsSimpleEnumerator@@UAG?AW4nsresult@@PAPAVnsIJSEnumerator@@@Z
+??0IteratorResult@dom@mozilla@@QAE@XZ
+?Init@IteratorResult@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?ToObjectInternal@IteratorResult@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+??0GCCellPtr@JS@@QAE@ABVValue@1@@Z
+?destroyStoredT@?$HashTableEntry@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@@detail@mozilla@@AAEXXZ
+??$ToStringSlow@$00@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+??$GetEnvironmentName@$00@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVPropertyName@js@@@3@V?$MutableHandle@VValue@JS@@@3@@Z
+??0Module@ctypes@mozilla@@QAE@XZ
+?QueryInterface@Module@ctypes@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetFrameLoader@nsDisplayRemote@@ABEPAVnsFrameLoader@@XZ
+?FindTargetObject@mozJSComponentLoader@@QAEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?GetJSMEnvironmentOfScriptedCaller@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?environmentChain@FrameIter@js@@QBEPAVJSObject@@PAUJSContext@@@Z
+?InitCTypesClass@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@@Z
+?JS_GetPrototype@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@3@@Z
+?JS_FreezeObject@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_SetPrototype@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?JS_SetReservedSlot@@YAXPAVJSObject@@IABVValue@JS@@@Z
+?growStorageBy@?$Vector@PAVJSObject@@$07VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?Create@CData@ctypes@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1PAX_N@Z
+?DefineFunctionWithReserved@js@@YAPAVJSFunction@@PAUJSContext@@PAVJSObject@@PBDP6A_N0IPAVValue@JS@@@ZII@Z
+??$put@AAUValueEdge@StoreBuffer@gc@js@@@?$HashSet@UValueEdge@StoreBuffer@gc@js@@U?$PointerEdgeHasher@UValueEdge@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@QAE_NAAUValueEdge@StoreBuffer@gc@js@@@Z
+?JS_InitClass@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1PBUJSClass@@P6A_N0IPAVValue@4@@ZIPBUJSPropertySpec@@PBUJSFunctionSpec@@56@Z
+?JS_GetConstructor@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?GetTypeCode@CType@ctypes@js@@YA?AW4TypeCode@23@PAVJSObject@@@Z
+?CreateInternal@PointerType@ctypes@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?SetCTypesCallbacks@JS@@YAXPAVJSObject@@PBUCTypesCallbacks@1@@Z
+?GetOrCreate@OSFileConstantsService@mozilla@@SA?AU?$already_AddRefed@VOSFileConstantsService@mozilla@@@@XZ
+?Exists@IOUtils@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVGlobalObject@23@ABV?$nsTSubstring@_S@@@Z
+?QueryInterface@OSFileConstantsService@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@OSFileConstantsService@mozilla@@UAGKXZ
+?DefineOSFileConstants@OSFileConstantsService@mozilla@@QAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_DefineObject@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDPBUJSClass@@I@Z
+?DefineConstants@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBUConstantSpec@12@@Z
+?JS_SetProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDV?$Handle@VValue@JS@@@3@@Z
+?JS_NewUCStringCopyZ@@YAPAVJSString@@PAUJSContext@@PB_S@Z
+_ZN11encoding_rs3mem15is_utf16_latin117h554b677d6fa8efa1E
+_ZN11encoding_rs3mem29convert_utf16_to_latin1_lossy17h906305db7976338aE
+?isWellKnownSymbol@PropertyKey@JS@@QBE_NW4SymbolCode@2@@Z
+??$FetchName@$00@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1V?$Handle@PAVPropertyName@js@@@3@V?$Handle@VPropertyResult@JS@@@3@V?$MutableHandle@VValue@JS@@@3@@Z
+?fun_toStringHelper@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@_N@Z
+?OrdinaryHasInstance@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@V?$Handle@VValue@JS@@@1@PA_N@Z
+?ObjectToSource@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ToPropertyDescriptor@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@_NV?$MutableHandle@UPropertyDescriptor@JS@@@4@@Z
+?Throw@js@@YA_NPAUJSContext@@V?$Handle@UPropertyKey@JS@@@JS@@IPBD@Z
+?growStorageBy@?$Vector@UPropertyDescriptor@JS@@$0A@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?DefineProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@UPropertyDescriptor@JS@@@4@AAVObjectOpResult@4@@Z
+?DoInstanceOfFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICInstanceOf_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?HasInstance@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@PA_N@Z
+??0InstanceOfIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@V?$Handle@PAVJSObject@@@5@@Z
+?tryAttachStub@InstanceOfIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitLoadInstanceOfObjectResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@VObjOperandId@23@@Z
+??$fallibleUnboxPtrImpl@VValueOperand@jit@js@@@MacroAssemblerX86@jit@js@@QAEXABVValueOperand@12@URegister@12@W4JSValueType@@PAVLabel@12@@Z
+?unboxNonDouble@MacroAssemblerX86@jit@js@@QAEXABVValueOperand@23@URegister@23@W4JSValueType@@1@Z
+?emitCompareObjectResult@CacheIRCompiler@jit@js@@IAE_NW4JSOp@@VObjOperandId@23@1@Z
+?emitLoadValueTruthyResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+??$append@_S@?$StringBuilder@_S$0A@@ctypes@js@@QAE_NPB_SI@Z
+?Promise_static_resolve@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?InitPropGetterSetterOperation@js@@YA_NPAUJSContext@@PAEV?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVPropertyName@js@@@4@2@Z
+?GetStack@nsXPCComponents@@UAG?AW4nsresult@@PAPAVnsIStackFrame@@@Z
+?Promise_then@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?AsyncGeneratorReject@js@@YA_NPAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@4@@Z
+?Promise_static_species@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?emitGuardFunctionIsNonBuiltinCtor@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?DoToPropertyKeyFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICToPropertyKey_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0ToPropertyKeyIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@@Z
+?emitLoadSymbolResult@CacheIRCompiler@jit@js@@IAE_NVSymbolOperandId@23@@Z
+?ObjectCreateImpl@js@@YAPAVPlainObject@1@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4NewObjectKind@1@V?$Handle@PAVObjectGroup@js@@@5@@Z
+?emitObjectCreateResult@CacheIRCompiler@jit@js@@IAE_NI@Z
+?moveToNextChunkAndAllocate@Nursery@js@@AAEPAXI@Z
+??0AutoHeapSession@gc@js@@IAE@PAVGCRuntime@12@W4HeapState@JS@@@Z
+?leaveWeakMarkingMode@GCMarker@js@@QAEXXZ
+?allocKindForTenure@JSObject@@QBE?AW4AllocKind@gc@js@@ABVNursery@4@@Z
+?remove@?$HashSet@PAXU?$PointerHasher@PAX@mozilla@@VSystemAllocPolicy@js@@@mozilla@@QAEXABQAX@Z
+?trace@GenericBuffer@StoreBuffer@gc@js@@QAEXPAVJSTracer@@@Z
+?calculateLiveFixed@JSScript@@QAEIPAE@Z
+??$TraceRangeInternal@VValue@JS@@@gc@js@@YAXPAVJSTracer@@IPAVValue@JS@@PBD@Z
+?trace@?$RootedTraceable@VLiveSavedFrameCache@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?trace@LiveSavedFrameCache@js@@QAEXPAVJSTracer@@@Z
+?trace@?$RootedTraceable@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?trace@?$RootedTraceable@V?$StackGCVector@VValue@JS@@VTempAllocPolicy@js@@@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?trace@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@UAEXPAVJSTracer@@@Z
+??$TraceWeakMapKeyEdgeInternal@VJSObject@@@js@@YAXPAVJSTracer@@PAVZone@JS@@PAPAVJSObject@@PBD@Z
+?purgeRuntimeForMinorGC@GCRuntime@gc@js@@QAEXXZ
+?clearNurseryObjects@NewObjectCache@js@@QAEXPAUJSRuntime@@@Z
+?GCThingTraceKind@JS@@YA?AW4TraceKind@1@PAX@Z
+?traceChildren@JSString@@QAEXPAVJSTracer@@@Z
+?sweepAfterMinorGC@Compartment@JS@@QAEXPAVJSTracer@@@Z
+?sweepAfterMinorGC@Realm@JS@@QAEXXZ
+?sweepWeakKeysAfterMinorGC@Zone@JS@@AAEXXZ
+?sweepAfterMinorGC@?$NurseryAwareHashMap@PAVJSString@@PAV1@U?$DefaultHasher@PAVJSString@@X@mozilla@@VZoneAllocPolicy@js@@$00@js@@QAEXPAVJSTracer@@@Z
+?sweepAfterMinorGC@MapObject@js@@SAXPAVJSFreeOp@@PAV12@@Z
+?sweepAfterMinorGC@SetObject@js@@SAXPAVJSFreeOp@@PAV12@@Z
+?UpdateJitActivationsForMinorGC@jit@js@@YAXPAUJSRuntime@@@Z
+?callObjectsTenuredCallback@GCRuntime@gc@js@@QAEXXZ
+?JSObjectsTenured@CycleCollectedJSRuntime@mozilla@@QAEXXZ
+?Get@CycleCollectedJSRuntime@mozilla@@SAPAV12@XZ
+?queueBuffersForFreeAfterMinorGC@GCRuntime@gc@js@@QAEXAAV?$HashSet@PAXU?$PointerHasher@PAX@mozilla@@VSystemAllocPolicy@js@@@mozilla@@@Z
+??1AutoHeapSession@gc@js@@QAE@XZ
+?EqualStringsHelperPure@jit@js@@YA_NPAVJSString@@0@Z
+?EqualChars@js@@YA_NPAVJSLinearString@@0@Z
+?init@?$GenericArgsBase@$0A@@detail@js@@QAE_NPAUJSContext@@I@Z
+?GetElements@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IPAVValue@4@@Z
+?JS_EnsureLinearString@@YAPAVJSLinearString@@PAUJSContext@@PAVJSString@@@Z
+?GetDeflatedUTF8StringLength@JS@@YAIPAVJSLinearString@@@Z
+?DeflateStringToUTF8Buffer@JS@@YAIPAVJSLinearString@@V?$Span@D$0PPPPPPPP@@mozilla@@@Z
+?nsStandardURL_GetInterfacesHelper@net@mozilla@@YG?AW4nsresult@@AAV?$nsTArray@UnsID@@@@@Z
+?ReadURI@URLPreloader@mozilla@@SA?AV?$Result@V?$nsTString@D@@W4nsresult@@@2@PAVnsIURI@@W4ReadType@12@@Z
+?GetHostPort@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAsciiHostPort@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+_ZN11encoding_rs3mem14is_utf8_latin117h19344f8bde619a1aE
+_ZN11encoding_rs3mem28convert_utf8_to_latin1_lossy17h62e4921408360c4eE
+?JS_NewLatin1String@@YAPAVJSString@@PAUJSContext@@V?$UniquePtr@$$BY0A@EUFreePolicy@JS@@@mozilla@@I@Z
+??$NewString@$00E@js@@YAPAVJSLinearString@@PAUJSContext@@V?$UniquePtr@$$BY0A@EUFreePolicy@JS@@@mozilla@@IW4InitialHeap@gc@0@@Z
+??1JSONParserBase@js@@IAE@XZ
+?parse@?$JSONParser@E@js@@QAE_NV?$MutableHandle@VValue@JS@@@JS@@@Z
+?math_min@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?math_max@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SubstringKernel@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@HH@Z
+??$mozCreateComponent@VmozHunspell@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+??0RemoteSpellcheckEngineParent@mozilla@@QAE@XZ
+?AddRef@Blob@dom@mozilla@@UAGKXZ
+?Release@Location@dom@mozilla@@UAGKXZ
+?CountingMalloc@?$CountingAllocatorBase@VHunspellAllocator@@@mozilla@@SAPAXI@Z
+?NotifyUpdatedDictionaries@ContentParent@dom@mozilla@@SAXXZ
+?Create@mozSpellChecker@@SA?AU?$already_AddRefed@VmozSpellChecker@@@@XZ
+??0mozSpellChecker@@IAE@XZ
+?Init@mozSpellChecker@@IAE?AW4nsresult@@XZ
+??0mozPersonalDictionary@@QAE@XZ
+?Init@mozPersonalDictionary@@QAE?AW4nsresult@@XZ
+?Dispatch@nsStreamTransportService@net@mozilla@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?QueryInterface@mozPersonalDictionary@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@mozPersonalDictionary@@UAGKXZ
+?GetDictionaryList@mozSpellChecker@@QAE?AW4nsresult@@PAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?SetCurrentDictionary@mozSpellChecker@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetPersonalDictionary@mozSpellChecker@@QAE?AW4nsresult@@PAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?GetAllow1918@Predictor@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?QueryInterface@CancelableRunnable@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@CancelableRunnable@mozilla@@UAGKXZ
+?SpreadCallOperation@js@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEV?$Handle@VValue@JS@@@4@333V?$MutableHandle@VValue@JS@@@4@@Z
+?DoSpreadCallFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICCall_Fallback@12@PAVValue@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+?enqueuePromiseJob@CycleCollectedJSContext@mozilla@@EAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@111@Z
+?GetPromiseUserInputEventHandlingState@JS@@YA?AW4PromiseUserInputEventHandlingState@1@V?$Handle@PAVJSObject@@@1@@Z
+?_Growmap@?$deque@V?$RefPtr@VMicroTaskRunnable@mozilla@@@@V?$allocator@V?$RefPtr@VMicroTaskRunnable@mozilla@@@@@std@@@std@@IAEXI@Z
+?addDenseElementPure@NativeObject@js@@SA_NPAUJSContext@@PAV12@@Z
+?OptimizeSpreadCall@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PA_N@Z
+?HandleException@jit@js@@YAXPAUResumeFromException@12@@Z
+??0JitFrameIter@js@@QAE@PAVJitActivation@jit@1@_N@Z
+??EJitFrameIter@js@@QAEXXZ
+?realm@JitFrameIter@js@@QBEPAVRealm@JS@@XZ
+?trynotes@JSScript@@QBE?AV?$Span@$$CBUTryNote@js@@$0PPPPPPPP@@mozilla@@XZ
+?script@JSJitFrameIter@jit@js@@QBEPAVJSScript@@XZ
+?DebugEpilogue@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAE_N@Z
+?EnsureBareExitFrame@jit@js@@YAXPAVJitActivation@12@PAVJitFrameLayout@12@@Z
+?jsFrame@JSJitFrameIter@jit@js@@QBEPAVJitFrameLayout@23@XZ
+?GetSingleton@AddonManagerStartup@mozilla@@SAAAV12@XZ
+?QueryInterface@AddonManagerStartup@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@AddonManagerStartup@mozilla@@UAGKXZ
+?JS_ParseJSON@@YA_NPAUJSContext@@PB_SIV?$MutableHandle@VValue@JS@@@JS@@@Z
+??$ParseJSONWithReviver@_S@js@@YA_NPAUJSContext@@V?$Range@$$CB_S@mozilla@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@5@@Z
+?parse@?$JSONParser@_S@js@@QAE_NV?$MutableHandle@VValue@JS@@@JS@@@Z
+??$AtomizeChars@_S@js@@YAPAVJSAtom@@PAUJSContext@@PB_SIW4PinningBehavior@0@@Z
+??$NewStringCopyN@$0A@_S@js@@YAPAVJSLinearString@@PAUJSContext@@PB_SIW4InitialHeap@gc@0@@Z
+?JS_Enumerate@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$GCVector@UPropertyKey@JS@@$0A@VTempAllocPolicy@js@@@JS@@@3@@Z
+?growStorageBy@?$Vector@UPropertyKey@JS@@$0A@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?JS_IdToValue@@YA_NPAUJSContext@@UPropertyKey@JS@@V?$MutableHandle@VValue@JS@@@3@@Z
+?init@?$nsTAutoJSString@_S@@QAE_NPAUJSContext@@ABVValue@JS@@@Z
+??$AssignJSString@V?$nsTAutoJSString@_S@@$0A@@@YA_NPAUJSContext@@AAV?$nsTAutoJSString@_S@@PAVJSString@@@Z
+??0nsConsoleService@@QAE@XZ
+?Init@nsConsoleService@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsConsoleService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsConsoleService@@UAGKXZ
+?JS_CopyStringChars@@YA_NPAUJSContext@@V?$Range@_S@mozilla@@PAVJSString@@@Z
+??$CopyChars@_S@js@@YAXPA_SABVJSLinearString@@@Z
+?LogMessageWithMode@nsConsoleService@@UAE?AW4nsresult@@PAVnsIConsoleMessage@@W4OutputMode@1@@Z
+?Release@nsConsoleMessage@@UAGKXZ
+?JS_CallFunctionName@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDABVHandleValueArray@3@V?$MutableHandle@VValue@JS@@@3@@Z
+?emitLoadValueTag@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@VValueTagOperandId@23@@Z
+?emitGuardTagNotEqual@CacheIRCompiler@jit@js@@IAE_NVValueTagOperandId@23@0@Z
+?growSlotsPure@NativeObject@js@@SA_NPAUJSContext@@PAV12@I@Z
+?Push@MacroAssembler@jit@js@@QAEXVImmGCPtr@23@@Z
+?hasNonConfigurablePrototypeDataProperty@JSFunction@@QAE_NXZ
+?growStorageBy@?$Vector@E$0CA@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?PushRegsInMask@MacroAssembler@jit@js@@QAEXV?$LiveSet@V?$TypedRegisterSet@URegister@jit@js@@@jit@js@@@23@@Z
+?twoByteOp@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@QAEXW4TwoByteOpcodeID@345@HW4RegisterID@345@1HH@Z
+?PopRegsInMask@MacroAssembler@jit@js@@QAEXV?$LiveSet@V?$TypedRegisterSet@URegister@jit@js@@@jit@js@@@23@@Z
+?StringFromCharCodeNoGC@jit@js@@YAPAVJSLinearString@@PAUJSContext@@H@Z
+?suspend@AbstractGeneratorObject@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@VAbstractFramePtr@2@PAEI@Z
+?resume@AbstractGeneratorObject@js@@SA_NPAUJSContext@@AAVInterpreterActivation@2@V?$Handle@PAVAbstractGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@6@3@Z
+?ReportValueError@js@@YA_NPAUJSContext@@IHV?$Handle@VValue@JS@@@JS@@V?$Handle@PAVJSString@@@4@PBD3@Z
+?DecompileValueGenerator@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@HV?$Handle@VValue@JS@@@JS@@V?$Handle@PAVJSString@@@6@H@Z
+?realm@FrameIter@js@@QBEPAVRealm@JS@@XZ
+?CallMethodIfWrapped@detail@JS@@YA_NPAUJSContext@@P6A_NV?$Handle@VValue@JS@@@2@@ZP6A_N0ABVCallArgs@2@@Z3@Z
+??0Sprinter@js@@QAE@PAUJSContext@@_N@Z
+?init@Sprinter@js@@QAE_NXZ
+?putString@Sprinter@js@@QAE_NPAVJSString@@@Z
+?IsIdentifier@frontend@js@@YA_NPAVJSLinearString@@@Z
+?JS_ReportErrorNumberUTF8@@YAXPAUJSContext@@P6APBUJSErrorFormatString@@PAXI@Z1IZZ
+?ReportErrorNumberVA@js@@YA_NPAUJSContext@@W4IsWarning@1@P6APBUJSErrorFormatString@@PAXI@Z2IW4ErrorArgumentsType@1@PAD@Z
+?ExpandErrorArgumentsVA@js@@YA_NPAUJSContext@@P6APBUJSErrorFormatString@@PAXI@Z1IPAPB_SW4ErrorArgumentsType@1@PAVNote@JSErrorNotes@@PAD@Z
+??0FrameIter@js@@QAE@PAUJSContext@@W4DebuggerEvalOption@01@PAUJSPrincipals@@@Z
+?settle@NonBuiltinFrameIter@js@@AAEXXZ
+?filename@FrameIter@js@@QBEPBDXZ
+?computeLine@FrameIter@js@@QBEIPAI@Z
+?ReportCompileErrorLatin1@js@@YAXPAUJSContext@@$$QAUErrorMetadata@1@V?$UniquePtr@VJSErrorNotes@@U?$DeletePolicy@VJSErrorNotes@@@JS@@@mozilla@@IPAPAD@Z
+?GetErrorMessage@js@@YAPBUJSErrorFormatString@@PAXI@Z
+?trace@?$RootedTraceable@V?$AbstractBindingIter@VJSAtom@@@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?ErrorToException@js@@YAXPAUJSContext@@PAVJSErrorReport@@P6APBUJSErrorFormatString@@PAXI@Z2@Z
+?newMessageString@JSErrorBase@@QAEPAVJSString@@PAUJSContext@@@Z
+??$NewStringCopyUTF8Z@$00@js@@YAPAVJSLinearString@@PAUJSContext@@VConstUTF8CharsZ@JS@@W4InitialHeap@gc@0@@Z
+??$NewStringCopyUTF8N@$00@js@@YAPAVJSLinearString@@PAUJSContext@@VUTF8Chars@JS@@W4InitialHeap@gc@0@@Z
+?CopyErrorReport@js@@YA?AV?$UniquePtr@VJSErrorReport@@U?$DeletePolicy@VJSErrorReport@@@JS@@@mozilla@@PAUJSContext@@PAVJSErrorReport@@@Z
+?create@ErrorObject@js@@SAPAV12@PAUJSContext@@W4JSExnType@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSString@@@6@IIIV?$UniquePtr@VJSErrorReport@@U?$DeletePolicy@VJSErrorReport@@@JS@@@mozilla@@32@Z
+?freeLinebuf@JSErrorReport@@AAEXXZ
+?freeMessage@JSErrorBase@@AAEXXZ
+?ArrayConstructor@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?emitCallIsSuspendedGeneratorResult@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?array_join@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?growStorageBy@?$Vector@E$0EA@VStringBufferAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?AnnotationFromString@CrashReporter@@YA_NAAW4Annotation@1@PBD@Z
+?CopyDataPropertiesNative@js@@YA_NPAUJSContext@@V?$Handle@PAVPlainObject@js@@@JS@@V?$Handle@PAVNativeObject@js@@@4@1PA_N@Z
+?intrinsic_ArrayNativeSort@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?CompareStrings@js@@YA_NPAUJSContext@@PAVJSString@@1PAH@Z
+?LessThanOrEqual@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?emitInt32DecResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+??$LooselyEqual@$0A@@jit@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1PA_N@Z
+?emitIsConstructorResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitNewArrayFromLengthResult@CacheIRCompiler@jit@js@@IAE_NIVInt32OperandId@23@@Z
+?CreateInterfaceObjects@JSWindowActorChild_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@JSWindowActorParent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?growStorageBy@?$Vector@VStubField@jit@js@@$07VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?str_startsWith@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?HasSubstringAt@js@@YA_NPAVJSLinearString@@0I@Z
+?RegExpPrototypeOptimizable@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?RegExpPrototypeOptimizableRaw@js@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?GetOwnGetterPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAPAVJSFunction@@@Z
+?GetOwnNativeGetterPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAP6A_N0IPAVValue@5@@Z@Z
+?HasOwnDataPropertyPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PA_N@Z
+?RegExpInstanceOptimizable@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?RegExpInstanceOptimizableRaw@js@@YA_NPAUJSContext@@PAVJSObject@@1@Z
+?RegExpSearcher@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?Accept@RegExpAtom@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?ToNode@RegExpDisjunction@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?ToNode@RegExpAtom@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?Accept@ChoiceNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?GreedyLoopTextLength@RegExpNode@internal@v8@@UAEHXZ
+?GetSuccessorOfOmnivorousTextNode@TextNode@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@@Z
+?GetQuickCheckDetails@ChoiceNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?GetQuickCheckDetails@AssertionNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?GetQuickCheckDetails@TextNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?CheckCharacter@RegExpBytecodeGenerator@internal@v8@@UAEXIPAVLabel@23@@Z
+?FillInBMInfo@ChoiceNode@internal@v8@@UAEXPAVIsolate@23@HHPAVBoyerMooreLookahead@23@_N@Z
+?FillInBMInfo@AssertionNode@internal@v8@@UAEXPAVIsolate@23@HHPAVBoyerMooreLookahead@23@_N@Z
+?FillInBMInfo@TextNode@internal@v8@@UAEXPAVIsolate@23@HHPAVBoyerMooreLookahead@23@_N@Z
+?CheckNotCharacter@RegExpBytecodeGenerator@internal@v8@@UAEXIPAVLabel@23@@Z
+?sinkStore@?$MonoTypeBuffer@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@StoreBuffer@gc@js@@QAEXXZ
+?changeTableSize@?$HashTable@$$CBU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@USetHashPolicy@?$HashSet@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@VSystemAllocPolicy@4@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??0HandleScope@internal@v8@@QAE@PAVIsolate@12@@Z
+??0?$Handle@VByteArray@internal@v8@@@internal@v8@@QAE@VByteArray@12@PAVIsolate@12@@Z
+?getUnitStringForElement@StaticStrings@js@@QAEPAVJSLinearString@@PAUJSContext@@PAVJSString@@I@Z
+?CreateInterfaceObjects@WebExtensionPolicy_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?WrapObject@WritableSharedMap@ipc@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@MozWritableSharedMap_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVWritableSharedMap@ipc@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?CreateInterfaceObjects@MozWritableSharedMap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@BiquadFilterNode_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVBiquadFilterNode@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?shrinkElements@NativeObject@js@@QAEXPAUJSContext@@I@Z
+??0MToString@jit@js@@AAE@PAVMDefinition@12@W4SideEffectHandling@012@@Z
+?definitelyType@MDefinition@jit@js@@QBE_NV?$initializer_list@W4MIRType@jit@js@@@std@@@Z
+?getAliasSet@MToString@jit@js@@UBE?AVAliasSet@23@XZ
+?CheckCharacterAfterAnd@RegExpBytecodeGenerator@internal@v8@@UAEXIIPAVLabel@23@@Z
+?AboutToClearOrigins@Client@quota@dom@mozilla@@UAE?AW4nsresult@@ABU?$Nullable@W4PersistenceType@quota@dom@mozilla@@@34@ABVOriginScope@234@@Z
+?CheckCharacterNotInRange@RegExpBytecodeGenerator@internal@v8@@UAEX_S0PAVLabel@23@@Z
+?remove@?$HashSet@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@QAEXABU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@Z
+?emitCallRegExpSearcherResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VStringOperandId@23@VInt32OperandId@23@@Z
+?BitRsh@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32RightShiftResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?RegExpSearcherRaw@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSString@@@4@HPAVMatchPairs@1@PAH@Z
+?emitCallSubstringKernelResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@VInt32OperandId@23@1@Z
+??0JitContext@jit@js@@QAE@PAUJSContext@@PAVTempAllocator@12@@Z
+??0SMRegExpMacroAssembler@internal@v8@@QAE@PAUJSContext@@AAVStackMacroAssembler@jit@js@@PAVZone@12@W4Mode@NativeRegExpMacroAssembler@12@I@Z
+??0NativeRegExpMacroAssembler@internal@v8@@QAE@PAVIsolate@12@PAVZone@12@@Z
+?PopCurrentPosition@SMRegExpMacroAssembler@internal@v8@@UAEXXZ
+?Push@SMRegExpMacroAssembler@internal@v8@@AAEXURegister@jit@js@@@Z
+?Pop@SMRegExpMacroAssembler@internal@v8@@AAEXURegister@jit@js@@@Z
+?GoTo@SMRegExpMacroAssembler@internal@v8@@UAEXPAVLabel@23@@Z
+?CheckNotCharacterAfterAnd@SMRegExpMacroAssembler@internal@v8@@UAEXIIPAVLabel@23@@Z
+?CheckCharacterAfterAnd@SMRegExpMacroAssembler@internal@v8@@UAEXIIPAVLabel@23@@Z
+?CheckCharacterAfterAndImpl@SMRegExpMacroAssembler@internal@v8@@AAEXIIPAVLabel@23@_N@Z
+?PushCurrentPosition@SMRegExpMacroAssembler@internal@v8@@UAEXXZ
+?stack_limit_slack@SMRegExpMacroAssembler@internal@v8@@UAEHXZ
+?Succeed@SMRegExpMacroAssembler@internal@v8@@UAE_NXZ
+?subl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+??0?$Handle@VHeapObject@internal@v8@@@internal@v8@@QAE@ABVValue@JS@@PAVIsolate@12@@Z
+?CaseInsensitiveCompareUnicode@SMRegExpMacroAssembler@internal@v8@@SAIPB_S0I@Z
+?regexp_construct@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?IsRegExp@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PA_N@Z
+?ExecuteRegExpLegacy@js@@YA_NPAUJSContext@@PAVRegExpStatics@1@V?$Handle@PAVRegExpObject@js@@@JS@@V?$Handle@PAVJSLinearString@@@5@PAI_NV?$MutableHandle@VValue@JS@@@5@@Z
+?ParseRegExpFlags@js@@YA_NPAUJSContext@@PAVJSString@@PAVRegExpFlags@JS@@@Z
+?initIgnoringLastIndex@RegExpObject@js@@QAEXPAVJSAtom@@VRegExpFlags@JS@@@Z
+_ZN11encoding_rs3mem8is_ascii17heca5846c7323213dE
+??$Int32ToString@$00@js@@YAPAVJSLinearString@@PAUJSContext@@H@Z
+?trace@?$SpiderMonkeyInterfaceRooter@U?$Nullable@U?$TypedArray@M$1?UnwrapFloat32Array@js@@YAPAVJSObject@@PAV3@@Z$1?JS_GetFloat32ArrayData@@YAPAM0PA_NABVAutoRequireNoGC@JS@@@Z$1?GetFloat32ArrayLengthAndData@2@YAX0PAI1PAPAM@Z$1?JS_NewFloat32Array@@YAPAV3@PAUJSContext@@I@Z@dom@mozilla@@@dom@mozilla@@@dom@mozilla@@UAEXPAVJSTracer@@@Z
+?GetSingleton@ExtensionPolicyService@mozilla@@SAAAV12@XZ
+?QueryInterface@ExtensionPolicyService@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@DocumentTimeline@dom@mozilla@@UAGKXZ
+?Release@DataTransfer@dom@mozilla@@UAGKXZ
+?IsExtensionProcess@ExtensionPolicyService@mozilla@@QBE_NXZ
+?GetSingleton@ExtensionProtocolHandler@net@mozilla@@SA?AU?$already_AddRefed@VExtensionProtocolHandler@net@mozilla@@@@XZ
+??1?$RefPtr@VExtensionStreamGetter@net@mozilla@@@@QAE@XZ
+?Release@ExtensionProtocolHandler@net@mozilla@@UAGKXZ
+?Construct_nsIScriptSecurityManager@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsScriptSecurityManager@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ToObjectInternal@OriginAttributesDictionary@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Init@OriginAttributesDictionary@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Init@OriginAttributesDictionary@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?CreateContentPrincipal@BasePrincipal@mozilla@@SA?AU?$already_AddRefed@VBasePrincipal@mozilla@@@@PAVnsIURI@@ABVOriginAttributes@2@@Z
+?GenerateOriginNoSuffixFromURI@ContentPrincipal@mozilla@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?NS_GetInnermostURI@@YA?AU?$already_AddRefed@VnsIURI@@@@PAVnsIURI@@@Z
+?GetBlobURLPrincipal@BlobURLProtocolHandler@dom@mozilla@@SA_NPAVnsIURI@@PAPAVnsIPrincipal@@@Z
+?QueryInterface@ExtensionProtocolHandler@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetByURL@ExtensionPolicyService@mozilla@@QAEPAVWebExtensionPolicy@extensions@2@ABVURLInfo@42@@Z
+?Scheme@URLInfo@extensions@mozilla@@QBEPAVnsAtom@@XZ
+?NS_AtomizeMainThread@@YA?AU?$already_AddRefed@VnsAtom@@@@ABV?$nsTSubstring@_S@@@Z
+??1URLInfo@extensions@mozilla@@QAE@XZ
+?QueryInterface@ContentPrincipal@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CreateReferrerInfo@BasePrincipal@mozilla@@UAG?AW4nsresult@@W4ReferrerPolicy@dom@2@PAPAVnsIReferrerInfo@@@Z
+?CreateInterfaceObjects@MatchPatternSet_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@AAEPAEI@Z
+?GetDesiredProto@dom@mozilla@@YA_NPAUJSContext@@ABVCallArgs@JS@@W4ID@id@prototypes@12@P6AX0V?$Handle@PAVJSObject@@@5@AAVProtoAndIfaceCache@12@_N@ZV?$MutableHandle@PAVJSObject@@@5@@Z
+?CreateInterfaceObjects@MatchGlob_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@MatchPatternSet@extensions@mozilla@@SA?AU?$already_AddRefed@VMatchPatternSet@extensions@mozilla@@@@AAVGlobalObject@dom@3@ABV?$nsTArray@VOwningStringOrMatchPattern@dom@mozilla@@@@ABUMatchPatternOptions@63@AAVErrorResult@3@@Z
+?GetAsSupports@GlobalObject@dom@mozilla@@QBEPAVnsISupports@@XZ
+?WrapObject@MatchPatternSet@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@MatchPatternSet_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMatchPatternSet@extensions@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?XPCOMObjectToJsval@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVxpcObjectHelper@@PBUnsID@@_NV?$MutableHandle@VValue@JS@@@5@@Z
+?Release@DocumentTimeline@dom@mozilla@@UAGKXZ
+??1?$nsTArray_Impl@VOwningStringOrMatchPattern@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?Contains@AtomSet@extensions@mozilla@@QBE_NABV?$nsTSubstring@_S@@@Z
+?Call@LifecycleAttributeChangedCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@ABV?$nsTSubstring@_S@@222AAVErrorResult@3@@Z
+?IsCallable@JS@@YA_NPAVJSObject@@@Z
+??0CallbackObject@dom@mozilla@@QAE@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1PAVnsIGlobalObject@@@Z
+?IsAsyncStackCaptureEnabledForRealm@JS@@YA_NPAUJSContext@@@Z
+?Resolve@Promise@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVnsIGlobalObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@W4PropagateUserInteraction@123@@Z
+?CallOriginalPromiseResolve@JS@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@1@@Z
+?unforgeableResolve@PromiseObject@js@@SAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?GetPromiseConstructor@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?CreateFromExisting@Promise@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVnsIGlobalObject@@V?$Handle@PAVJSObject@@@JS@@W4PropagateUserInteraction@123@@Z
+?HoldJSObjectsImpl@cyclecollector@mozilla@@YAXPAXPAVnsScriptObjectTracer@@PAVZone@JS@@@Z
+?Constructor@WebExtensionPolicy@extensions@mozilla@@SA?AU?$already_AddRefed@VWebExtensionPolicy@extensions@mozilla@@@@AAVGlobalObject@dom@3@ABUWebExtensionInit@63@AAVErrorResult@3@@Z
+?Matches@MatchGlobSet@extensions@mozilla@@QBE_NABV?$nsTSubstring@_S@@@Z
+??0AtomSet@extensions@mozilla@@QAE@ABV?$nsTArray@V?$nsTString@_S@@@@@Z
+?FilePath@URLInfo@extensions@mozilla@@QBEABV?$nsTString@_S@@XZ
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@VOwningMatchGlobOrString@dom@mozilla@@@?$nsTArray_Impl@VOwningMatchGlobOrString@dom@mozilla@@UnsTArrayFallibleAllocator@@@@AAEPAVOwningMatchGlobOrString@dom@mozilla@@PBV123@I@Z
+??0MatchPatternOptions@dom@mozilla@@QAE@XZ
+?NS_NewURI@@YA?AW4nsresult@@PAPAVnsIURI@@ABV?$nsTSubstring@_S@@PBDPAV2@@Z
+?WrapObject@WebExtensionPolicy@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@WebExtensionPolicy_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVWebExtensionPolicy@extensions@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?GetConstructorObject@UIEvent_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?AddRef@WebExtensionPolicy@extensions@mozilla@@UAGKXZ
+?GetId@WebExtensionPolicy@extensions@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?GetUTF16String@nsAtom@@QBE?AVchar16ptr_t@@XZ
+?NonVoidStringToJsval@xpc@@YA_NPAUJSContext@@AAVDOMString@dom@mozilla@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+??$NewStringCopyN@$00_S@js@@YAPAVJSLinearString@@PAUJSContext@@PB_SIW4InitialHeap@gc@0@@Z
+?sinkStore@?$MonoTypeBuffer@USlotsEdge@StoreBuffer@gc@js@@@StoreBuffer@gc@js@@QAEXXZ
+?NonVoidByteStringToJsval@dom@mozilla@@YA_NPAUJSContext@@ABV?$nsTSubstring@D@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Release@WebExtensionPolicy@extensions@mozilla@@UAGKXZ
+??_GJSProcessActorParent@dom@mozilla@@EAEPAXI@Z
+?PreserveWrapper@nsWrapperCache@@QAEXPAVnsISupports@@@Z
+?GetBrowsingContextGroupId@WebExtensionPolicy@extensions@mozilla@@QAE_KAAVErrorResult@3@@Z
+?GetByID@WebExtensionPolicy@extensions@mozilla@@SA?AU?$already_AddRefed@VWebExtensionPolicy@extensions@mozilla@@@@AAVGlobalObject@dom@3@ABV?$nsTSubstring@_S@@@Z
+??$GenericSetter@UNormalThisPolicy@binding_detail@dom@mozilla@@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SetActive@WebExtensionPolicy@extensions@mozilla@@QAEX_NAAVErrorResult@3@@Z
+?GenerateBrowsingContextId@nsContentUtils@@SA_KXZ
+?GetActiveExtensions@WebExtensionPolicy@extensions@mozilla@@SAXAAVGlobalObject@dom@3@AAV?$nsTArray@V?$RefPtr@VWebExtensionPolicy@extensions@mozilla@@@@@@@Z
+?SetSubstitution@ExtensionProtocolHandler@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIURI@@@Z
+??0StructuredCloneData@ipc@dom@mozilla@@QAE@XZ
+??0StructuredCloneHolder@dom@mozilla@@QAE@W4CloningSupport@012@W4TransferringSupport@012@W4StructuredCloneScope@JS@@@Z
+?Write@StructuredCloneData@ipc@dom@mozilla@@UAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@4@@Z
+?Write@StructuredCloneData@ipc@dom@mozilla@@UAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1ABVCloneDataPolicy@7@AAVErrorResult@4@@Z
+?Write@StructuredCloneHolderBase@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1ABVCloneDataPolicy@6@@Z
+?write@JSAutoStructuredCloneBuffer@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1ABVCloneDataPolicy@4@PBUJSStructuredCloneCallbacks@@PAX@Z
+?discardTransferables@JSStructuredCloneData@@QAEXXZ
+?ToStringSlow@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?AppendBytes@JSStructuredCloneData@@QAE_NPBDI@Z
+?AllocateSegment@?$BufferList@VSystemAllocPolicy@js@@@mozilla@@AAEPADII@Z
+??$writeArray@E@SCOutput@js@@QAE_NPBEI@Z
+?wrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@V?$GCVector@VValue@JS@@$0A@VTempAllocPolicy@js@@@JS@@@2@@Z
+?wrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@PAVJSString@@@2@@Z
+?GetOwnPropertyPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAVValue@5@PA_N@Z
+?steal@JSAutoStructuredCloneBuffer@@QAEXPAVJSStructuredCloneData@@PAIPAPBUJSStructuredCloneCallbacks@@PAPAX@Z
+?clear@JSAutoStructuredCloneBuffer@@QAEXXZ
+??1SharedArrayRawBufferRefs@js@@QAE@XZ
+??0StructuredCloneData@ipc@dom@mozilla@@QAE@$$QAV0123@@Z
+??4SharedArrayRawBufferRefs@js@@QAEAAV01@$$QAV01@@Z
+??$MoveInit@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayFallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAEXAAV0@II@Z
+??1StructuredCloneData@ipc@dom@mozilla@@UAE@XZ
+??1StructuredCloneHolder@dom@mozilla@@UAE@XZ
+?KeyChanged@WritableSharedMap@ipc@dom@mozilla@@AAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+??$InsertElementAtInternal@UnsTArrayInfallibleAllocator@@ABV?$nsTSubstring@D@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@D@@IABV?$nsTSubstring@D@@@Z
+?OnDispatchedEvent@nsBaseAppShell@@UAG?AW4nsresult@@XZ
+?regexp_toShared@?$SecurityWrapper@VCrossCompartmentWrapper@js@@@js@@UBEPAVRegExpShared@2@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?New@ProxyObject@js@@SAPAV12@PAUJSContext@@PBVBaseProxyHandler@2@V?$Handle@VValue@JS@@@JS@@VTaggedProto@2@PBUJSClass@@@Z
+?preventExtensions@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVObjectOpResult@5@@Z
+?IdToStringOrSymbol@js@@YA_NPAUJSContext@@V?$Handle@UPropertyKey@JS@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?CreateInterfaceObjects@TelemetryStopwatch_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@UDPSocket_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?TraceDictionary@TCPSocketEventInit@dom@mozilla@@QAEXPAVJSTracer@@@Z
+?VoidString@@YAABV?$nsTString@_S@@XZ
+?Singleton@Timers@telemetry@mozilla@@SAAAV123@XZ
+?RegisterAnnotator@BackgroundHangMonitor@mozilla@@SA_NAAVBackgroundHangAnnotator@2@@Z
+?GetModules@nsHangDetails@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Start@Timers@telemetry@mozilla@@QAE_NPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@PAVJSObject@@@JS@@1_N@Z
+?MapGet@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@V?$Handle@VValue@JS@@@1@V?$MutableHandle@VValue@JS@@@1@@Z
+?MapSet@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@V?$Handle@VValue@JS@@@1@2@Z
+?set@MapObject@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@2@Z
+?GetWeakMapEntry@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@1V?$MutableHandle@VValue@JS@@@1@@Z
+?QueryInterface@TimerKeys@telemetry@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetWeakMapEntry@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@1V?$Handle@VValue@JS@@@1@@Z
+??0WeakMapBase@js@@QAE@PAVJSObject@@PAVZone@JS@@@Z
+??4Entry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@AAEX$$QAV012@@Z
+??R?$nsQueryObject@VSVGElement@dom@mozilla@@@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Cancel@UserInteractionStopwatch@telemetry@mozilla@@SA_NABVGlobalObject@dom@3@ABV?$nsTSubstring@_S@@V?$Handle@PAVJSObject@@@JS@@@Z
+?StringToLinearStringSlow@detail@JS@@YAPAVJSLinearString@@PAUJSContext@@PAVJSString@@@Z
+?TrySkipAwait@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PA_NV?$MutableHandle@VValue@JS@@@4@@Z
+?AsyncFunctionAwait@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVAsyncFunctionGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+?emitGuardIsNotProxy@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitIsCrossRealmArrayConstructorResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?setIsCrossRealmArrayConstructor@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?BuiltinObjectOperation@js@@YAPAVJSObject@@PAUJSContext@@W4BuiltinObjectKind@1@@Z
+?StaticMethodPromiseWrapper@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?CompileScript@ChromeUtils@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUCompileScriptOptionsDictionary@23@AAVErrorResult@3@@Z
+?Create@Promise@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVnsIGlobalObject@@AAVErrorResult@3@W4PropagateUserInteraction@123@@Z
+?CreateWrapper@Promise@dom@mozilla@@IAEXAAVErrorResult@3@W4PropagateUserInteraction@123@@Z
+?NewPromiseObject@JS@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@1@@Z
+?GetSubjectPrincipal@GlobalObject@dom@mozilla@@QBEPAVnsIPrincipal@@XZ
+?NewChannel@nsChromeProtocolHandler@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?SetLoadGroup@DocumentChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsILoadGroup@@@Z
+?SetContentCharset@nsBaseChannel@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetAllowDeprecatedSystemRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?NS_NewIncrementalStreamLoader@@YA?AW4nsresult@@PAPAVnsIIncrementalStreamLoader@@PAVnsIIncrementalStreamLoaderObserver@@@Z
+?Create@nsIncrementalStreamLoader@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?Init@nsIncrementalStreamLoader@@UAG?AW4nsresult@@PAVnsIIncrementalStreamLoaderObserver@@@Z
+?AsyncOpen@nsBaseChannel@@UAG?AW4nsresult@@PAVnsIStreamListener@@@Z
+?NS_CheckPortSafety@@YA?AW4nsresult@@PAVnsIURI@@@Z
+?GetMaxScrollY@xpcAccScrollingEvent@@UAG?AW4nsresult@@PAI@Z
+?UpdateAntiTrackingInfoForChannel@AntiTrackingUtils@mozilla@@SAXPAVnsIChannel@@@Z
+?GetOwner@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?GetBlockingAll@CookieJarSettings@net@mozilla@@SA?AU?$already_AddRefed@VnsICookieJarSettings@@@@XZ
+?GetCookieBehavior@CookieJarSettings@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?IsRejectThirdPartyContexts@CookieJarSettings@net@mozilla@@SA_NI@Z
+?SetHasStoragePermission@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?GetOriginalFrameSrcLoad@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Get@BrowsingContext@dom@mozilla@@SA?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@_K@Z
+?GetURI@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?IsThirdPartyURI@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?SetIsThirdPartyContextToTopWindow@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?AsyncOpen@RemoteWebProgressRequest@dom@mozilla@@UAG?AW4nsresult@@PAVnsIStreamListener@@@Z
+?GetTypeFromExtension@nsExternalHelperAppService@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV3@@Z
+?LowerCaseEqualsASCII@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBD@Z
+?SetContentType@nsBaseChannel@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?net_ParseContentType@@YAXABV?$nsTSubstring@D@@AAV1@1PA_NPAH3@Z
+?FindCharInSet@?$nsTString@D@@QBEHPBDH@Z
+?net_ParseContentType@@YAXABV?$nsTSubstring@D@@AAV1@1PA_N@Z
+?Equals@?$nsTStringRepr@D@detail@mozilla@@QBI_NABV123@P6AHPBD1II@Z@Z
+?GetNeckoTarget@NeckoTargetHolder@net@mozilla@@MAE?AU?$already_AddRefed@VnsISerialEventTarget@@@@XZ
+?Create@nsInputStreamPump@@SA?AW4nsresult@@PAPAV1@PAVnsIInputStream@@II_NPAVnsIEventTarget@@@Z
+?NS_MakeAsyncNonBlockingInputStream@@YA?AW4nsresult@@U?$already_AddRefed@VnsIInputStream@@@@PAPAVnsIAsyncInputStream@@_NIII@Z
+?CreateInputTransport@nsStreamTransportService@net@mozilla@@UAG?AW4nsresult@@PAVnsIInputStream@@_NPAPAVnsITransport@@@Z
+?Release@nsStreamLoader@net@mozilla@@W3AGKXZ
+?NS_NewPipe2@@YA?AW4nsresult@@PAPAVnsIAsyncInputStream@@PAPAVnsIAsyncOutputStream@@_N2II@Z
+?GetInterfaces@nsPipeOutputStream@@UAG?AW4nsresult@@AAV?$nsTArray@UnsID@@@@@Z
+?NS_AsyncCopy@@YA?AW4nsresult@@PAVnsIInputStream@@PAVnsIOutputStream@@PAVnsIEventTarget@@W4nsAsyncCopyMode@@IP6AXPAXW41@@Z4_N7PAPAVnsISupports@@P6AX4I@Z@Z
+?AddRef@nsPipeOutputStream@@W3AGKXZ
+?NS_NewInputStreamReadyEvent@@YA?AU?$already_AddRefed@VnsIInputStreamCallback@@@@PBDPAVnsIInputStreamCallback@@PAVnsIEventTarget@@I@Z
+?Release@MessageTask@MessageChannel@ipc@mozilla@@UAGKXZ
+?Release@nsPipeInputStream@@UAGKXZ
+?Release@nsPipeInputStream@@W3AGKXZ
+?GetLineNumber@nsScriptErrorBase@@UAG?AW4nsresult@@PAI@Z
+??0TaskQueue@mozilla@@QAE@U?$already_AddRefed@VnsIEventTarget@@@@_N@Z
+??0?$MozPromise@W4nsresult@@W41@$00@mozilla@@IAE@PBD_N@Z
+??0Run@?$LogTaskBase@VFrameRequestCallback@dom@mozilla@@@mozilla@@QAE@PAVFrameRequestCallback@dom@2@_N@Z
+?GetDragAction@nsBaseDragService@@UAG?AW4nsresult@@PAI@Z
+?WriteSegments@nsPipeOutputStream@@UAG?AW4nsresult@@P6A?AW42@PAVnsIOutputStream@@PAXPADIIPAI@Z1I3@Z
+?net_NewTransportEventSinkProxy@@YA?AW4nsresult@@PAPAVnsITransportEventSink@@PAV2@PAVnsIEventTarget@@@Z
+?Release@TaskQueue@mozilla@@UAGKXZ
+?Release@AbstractThread@mozilla@@UAGKXZ
+?Suspend@nsInputStreamPump@@UAG?AW4nsresult@@XZ
+?IsCurrentThreadIn@TaskQueue@mozilla@@UBE_NXZ
+??1?$MozPromise@UIMENotificationRequests@widget@mozilla@@W4ResponseRejectReason@ipc@3@$00@mozilla@@MAE@XZ
+?Redirect@nsBaseChannel@@QAE?AW4nsresult@@PAVnsIChannel@@I_N@Z
+?ThenInternal@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@W4nsresult@@W41@$00@mozilla@@@@PBD@Z
+?Release@DataChannelChild@net@mozilla@@UAGKXZ
+?Resume@nsInputStreamPump@@UAG?AW4nsresult@@XZ
+?net_NewIncrementalDownload@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@AAVPromise@12@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Release@MessageTask@MessageChannel@ipc@mozilla@@WBI@AGKXZ
+?NS_NewStorageStream@@YA?AW4nsresult@@IIPAPAVnsIStorageStream@@@Z
+??$Reject@W4nsresult@@@Private@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEX$$QAW4nsresult@@PBD@Z
+?DispatchAll@?$MozPromise@W4nsresult@@W41@$00@mozilla@@IAEXXZ
+?ChainTo@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEXU?$already_AddRefed@VPrivate@?$MozPromise@W4nsresult@@W41@$00@mozilla@@@@PBD@Z
+?ForwardTo@?$MozPromise@W4nsresult@@W41@$00@mozilla@@IAEXPAVPrivate@12@@Z
+??$Resolve@W4nsresult@@@Private@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEX$$QAW4nsresult@@PBD@Z
+?Dispatch@ThenValueBase@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAEXPAV23@@Z
+??0ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@W4nsresult@@W41@$00@mozilla@@QAE@PAV123@PAV23@@Z
+??_G?$MozPromise@W4nsresult@@W41@$00@mozilla@@MAEPAXI@Z
+?AssertIsDead@?$MozPromise@W4nsresult@@W41@$00@mozilla@@UAEXXZ
+?DrainDirectTasks@AutoTaskDispatcher@mozilla@@UAEXXZ
+?QueryInterface@nsStreamListenerWrapper@net@mozilla@@W7AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??1AutoTaskDispatcher@mozilla@@UAE@XZ
+?Release@PrioritizableRunnable@mozilla@@WBA@AGKXZ
+??_GTaskQueue@mozilla@@MAEPAXI@Z
+??1TaskQueue@mozilla@@MAE@XZ
+?CloseWithStatus@nsPipeOutputStream@@UAG?AW4nsresult@@W42@@Z
+?Close@nsPipeOutputStream@@UAG?AW4nsresult@@XZ
+??_GStructuredCloneData@ipc@dom@mozilla@@UAEPAXI@Z
+?Release@SharedJSAllocatedData@ipc@dom@mozilla@@QAGKXZ
+?emitLoadDoubleResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@@Z
+?convertInt32ValueToDouble@MacroAssembler@jit@js@@QAEXVValueOperand@23@@Z
+?boxDouble@MacroAssemblerX86@jit@js@@QAEXUFloatRegister@23@ABVValueOperand@23@0@Z
+?threeByteOpImmSimdInt32@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4ThreeByteOpcodeID@234@W4ThreeByteEscape@234@IW4XMMRegisterID@234@W4RegisterID@234@@Z
+?GetOwnPropertyDescriptorToArray@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?DoHasOwnFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICHasOwn_Fallback@12@V?$Handle@VValue@JS@@@JS@@3V?$MutableHandle@VValue@JS@@@7@@Z
+?GetFirstDollarIndex@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?useAtomMatch@RegExpShared@js@@QAEXV?$Handle@PAVJSAtom@@@JS@@@Z
+?StringFindPattern@js@@YAHPAVJSLinearString@@0I@Z
+?GetUpdateViaCache@ServiceWorkerRegistrationInfo@dom@mozilla@@QBE?AW4ServiceWorkerUpdateViaCache@23@XZ
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@V?$RefPtr@VJSActor@dom@mozilla@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?JS_NewUCStringCopyN@@YAPAVJSString@@PAUJSContext@@PB_SI@Z
+?RemoveWeakElement@?$nsMaybeWeakPtrArray@VnsIObserver@@@@QAE?AW4nsresult@@PAVnsIObserver@@@Z
+?Shutdown@ServiceWorkerRegistrar@dom@mozilla@@QAEXXZ
+?RemoveAll@ServiceWorkerRegistrar@dom@mozilla@@QAEXXZ
+??0RemoteWorkerData@dom@mozilla@@QAE@XZ
+?Stub4@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+??$DelElemOperation@$00@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1PA_N@Z
+?Shutdown@StorageObserver@dom@mozilla@@SA?AW4nsresult@@XZ
+?RecvObserve@SessionStorageObserverChild@dom@mozilla@@EAE?AVIPCResult@ipc@3@ABV?$nsTString@D@@ABV?$nsTString@_S@@0@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@USVCB@net@mozilla@@@?$nsTArray_Impl@USVCB@net@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBUSVCB@net@mozilla@@I@Z
+?ToNumberSlow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PAN@Z
+?GetFirstArgumentAsTypeHint@JS@@YA_NPAUJSContext@@VCallArgs@1@PAW4JSType@@@Z
+?date_valueOf@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?XPCOMConstructor@nsTimer@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsTimer@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsBoxLayout@@UAGKXZ
+?JS_GetFunctionScript@@YAPAVJSScript@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?JS_GetScriptFilename@@YAPBDPAVJSScript@@@Z
+?maybeForwardedScriptSource@BaseScript@js@@QBEPAVScriptSource@2@XZ
+?GetSingleton@nsXREDirProvider@@SA?AU?$already_AddRefed@VnsXREDirProvider@@@@XZ
+?IonCompileScriptForBaselineAtEntry@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@@Z
+?clone@MInstruction@jit@js@@UBEPAV123@AAVTempAllocator@23@ABV?$Vector@PAVMDefinition@jit@js@@$05VJitAllocPolicy@23@@mozilla@@@Z
+?levelForScript@OptimizationLevelInfo@jit@js@@QBE?AW4OptimizationLevel@23@PAVJSScript@@PAE@Z
+?generateStringConcatStub@JitRealm@jit@js@@AAEPAVJitCode@23@PAUJSContext@@@Z
+??0MacroAssembler@jit@js@@IAE@PAUJSContext@@@Z
+?memoryModRM_disp32@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@AAEXPBXH@Z
+?andl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+?newGCString@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@_N@Z
+?addl_im@BaseAssembler@X86Encoding@jit@js@@QAEXHPBX@Z
+?storeRopeChildren@MacroAssembler@jit@js@@QAEXURegister@23@00@Z
+floorf
+?newGCFatInlineString@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@_N@Z
+?loadInlineStringCharsForStore@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?loadStringChars@MacroAssembler@jit@js@@QAEXURegister@23@0W4CharEncoding@23@@Z
+??0IonCompileTask@jit@js@@QAE@AAVMIRGenerator@12@_NPAVWarpSnapshot@12@@Z
+?StartOffThreadIonCompile@js@@YA_NPAVIonCompileTask@jit@1@ABVAutoLockHelperThreadState@1@@Z
+?setIonScriptImpl@JitScript@jit@js@@AAEXPAVJSScript@@PAVIonScript@23@@Z
+?PostWriteBarrierCell@gc@js@@YAXPAUCell@12@00@Z
+??0JitContext@jit@js@@QAE@PAVCompileRuntime@12@PAVCompileRealm@12@PAVTempAllocator@12@@Z
+?CompileBackEnd@jit@js@@YAPAVCodeGenerator@12@PAVMIRGenerator@12@PAVWarpSnapshot@12@@Z
+??0MNewArray@jit@js@@AAE@AAVTempAllocator@12@IPAVMConstant@12@W4InitialHeap@gc@2@PAE_N@Z
+?OptimizeMIR@jit@js@@YA_NPAVMIRGenerator@12@@Z
+?numOperands@?$MAryInstruction@$01@jit@js@@UBEIXZ
+?getSuccessor@?$MAryControlInstruction@$00$01@jit@js@@UBEPAVMBasicBlock@23@I@Z
+?numOperands@?$MAryInstruction@$00@jit@js@@UBEIXZ
+?getSuccessor@?$MAryControlInstruction@$0A@$00@jit@js@@UBEPAVMBasicBlock@23@I@Z
+?ScalarReplacement@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@@Z
+?templateObjectOf@MObjectState@jit@js@@SAPAVJSObject@@PAVMDefinition@23@@Z
+?typePolicy@MCheckClassHeritage@jit@js@@UAEPBVTypePolicy@23@XZ
+??$NumberBigIntCompare@$00@jit@js@@YA_NNPAVBigInt@JS@@@Z
+?typePolicy@MNot@jit@js@@UAEPBVTypePolicy@23@XZ
+?resetWarmUpCounts@InliningRoot@jit@js@@QAEXI@Z
+?typePolicy@MArgumentsObjectLength@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MCompare@jit@js@@UAEPBVTypePolicy@23@XZ
+??0PresentationDeviceManager@dom@mozilla@@QAE@XZ
+?AlwaysBoxAt@jit@js@@YAPAVMDefinition@12@AAVTempAllocator@12@PAVMInstruction@12@PAV312@@Z
+?AddRef@Mutator@BlobURL@dom@mozilla@@UAGKXZ
+?QueryInterface@PresentationDeviceManager@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@PresentationDeviceManager@dom@mozilla@@UAGKXZ
+??1?$nsCategoryCache@VnsIObserver@@@@QAE@XZ
+?foldIfNegOne@MBitOr@jit@js@@UAEPAVMDefinition@23@I@Z
+?LazyInit@?$nsCategoryCache@VnsIObserver@@@@AAEXXZ
+??0nsCategoryObserver@@QAE@ABV?$nsTSubstring@D@@@Z
+?Release@nsCategoryObserver@@UAGKXZ
+?typePolicy@MStoreFixedSlot@jit@js@@UAEPBVTypePolicy@23@XZ
+?ListenerDied@nsCategoryObserver@@QAEXXZ
+?OnCategoryChanged@?$nsCategoryCache@VnsIChannelEventSink@@@@CAXPAX@Z
+?getOperand@?$MAryInstruction@$00@jit@js@@UBEPAVMDefinition@23@I@Z
+?Clear@nsCOMArray_base@@QAEXXZ
+?replaceOperand@?$MAryControlInstruction@$00$01@jit@js@@UAEXIPAVMDefinition@23@@Z
+?typePolicy@MAbs@jit@js@@UAEPBVTypePolicy@23@XZ
+?NS_CreatePresentationService@@YA?AU?$already_AddRefed@VnsIPresentationService@@@@XZ
+?GetAvailability@PresentationRequest@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVErrorResult@3@@Z
+?inputType@MCompare@jit@js@@QAE?AW4MIRType@23@XZ
+?typePolicy@MCheckPrivateFieldCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MStoreElement@jit@js@@UAEPBVTypePolicy@23@XZ
+??0ValueNumberer@jit@js@@QAE@PAVMIRGenerator@12@AAVMIRGraph@12@@Z
+?analyze@AliasAnalysis@jit@js@@QAE_NXZ
+?getAliasSet@MDefinition@jit@js@@UBE?AVAliasSet@23@XZ
+?BorrowDrawTarget@TextureData@layers@mozilla@@UAE?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@XZ
+?getAliasSet@MCompare@jit@js@@UBE?AVAliasSet@23@XZ
+?getAliasSet@MLoadFixedSlot@jit@js@@UBE?AVAliasSet@23@XZ
+?getUseFor@MResumePoint@jit@js@@MAEPAVMUse@23@I@Z
+?getAliasSet@MGuardShape@jit@js@@UBE?AVAliasSet@23@XZ
+?getAliasSet@MStoreFixedSlot@jit@js@@UBE?AVAliasSet@23@XZ
+?getAliasSet@MElements@jit@js@@UBE?AVAliasSet@23@XZ
+?getAliasSet@MSetInitializedLength@jit@js@@UBE?AVAliasSet@23@XZ
+?run@ValueNumberer@jit@js@@QAE_NW4UpdateAliasAnalysisFlag@123@@Z
+_ZN87_$LT$unicode_segmentation..grapheme..GraphemeIncomplete$u20$as$u20$core..fmt..Debug$GT$3fmt17hcc2d78cc6a2af949E
+?getAliasSet@MBail@jit@js@@UBE?AVAliasSet@23@XZ
+?congruentTo@MConstant@jit@js@@UBE_NPBVMDefinition@23@@Z
+?trace@WarpSnapshot@jit@js@@QAEXPAVJSTracer@@@Z
+?foldsTo@MIsObject@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MAbs@jit@js@@UBE_NPBVMDefinition@23@@Z
+?congruentIfOperandsEqual@MDefinition@jit@js@@QBE_NPBV123@@Z
+?foldsTo@MNot@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MTest@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MUnbox@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MUnbox@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MGuardToClass@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?GetObjectKnownJSClass@jit@js@@YAPBUJSClass@@PBVMDefinition@12@@Z
+?GetObjectKnownClass@jit@js@@YA?AW4KnownClass@12@PBVMDefinition@12@@Z
+?foldsTo@MCompare@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+??0MConstant@jit@js@@IAE@AAVTempAllocator@12@ABVValue@JS@@@Z
+?insertAfter@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@0@Z
+?valueHash@MConstant@jit@js@@UBEIXZ
+?congruentTo@MBox@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MPhi@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MPhi@jit@js@@UBE_NPBVMDefinition@23@@Z
+?GetDOMOwnerRule@StyleSheet@mozilla@@QBEPAVRule@css@2@XZ
+?valueHash@MDefinition@jit@js@@UBEIXZ
+?DeadIfUnused@jit@js@@YA_NPBVMDefinition@12@@Z
+?valueHash@MNullaryInstruction@jit@js@@MBEIXZ
+?foldsTo@MLoadFixedSlot@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MGuardShape@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MCompare@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MMinMax@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?typePolicy@MRegExpMatcher@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MBinaryArithInstruction@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?New@MGoto@jit@js@@SAPAV123@AAVTempAllocator@23@@Z
+?getIdentity@MAdd@jit@js@@UAENXZ
+?congruentTo@MBinaryArithInstruction@jit@js@@UBE_NPBVMDefinition@23@@Z
+?LICM@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@@Z
+?addBetaNodes@RangeAnalysis@jit@js@@QAE_NXZ
+?clone@MToString@jit@js@@UBEPAVMInstruction@23@AAVTempAllocator@23@ABV?$Vector@PAVMDefinition@jit@js@@$05VJitAllocPolicy@23@@mozilla@@@Z
+?insertBefore@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@0@Z
+?analyze@RangeAnalysis@jit@js@@QAE_NXZ
+?collectRangeInfoPreTrunc@MNot@jit@js@@UAEXXZ
+?computeRange@MPhi@jit@js@@UAEXAAVTempAllocator@23@@Z
+?computeRange@MArrayLength@jit@js@@UAEXAAVTempAllocator@23@@Z
+?computeRange@MAdd@jit@js@@UAEXAAVTempAllocator@23@@Z
+?numOperands@RObjectState@jit@js@@UBEIXZ
+?addRangeAssertions@RangeAnalysis@jit@js@@QAE_NXZ
+?removeBetaNodes@RangeAnalysis@jit@js@@QAE_NXZ
+?justReplaceAllUsesWith@MDefinition@jit@js@@QAEXPAV123@@Z
+?discardDef@MBasicBlock@jit@js@@QAEXPAVMDefinition@23@@Z
+?prepareForUCE@RangeAnalysis@jit@js@@QAE_NPA_N@Z
+?truncate@RangeAnalysis@jit@js@@QAE_NXZ
+?needTruncation@MCompare@jit@js@@UAE_NW4TruncateKind@MDefinition@23@@Z
+?Sink@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@@Z
+?removeUnnecessaryBitops@RangeAnalysis@jit@js@@QAE_NXZ
+?ExtractLinearSum@jit@js@@YA?AUSimpleLinearSum@12@PAVMDefinition@12@W4MathSpace@12@H@Z
+?analyze@EffectiveAddressAnalysis@jit@js@@QAE_NXZ
+?moveBefore@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@0@Z
+?analyzeLate@EdgeCaseAnalysis@jit@js@@QAE_NXZ
+?GenerateLIR@jit@js@@YAPAVLIRGraph@12@PAVMIRGenerator@12@@Z
+??0LIRGraph@jit@js@@QAE@PAVMIRGraph@12@@Z
+?generate@LIRGenerator@jit@js@@QAE_NXZ
+?visitInstructionDispatch@LIRGenerator@jit@js@@AAEXPAVMInstruction@23@@Z
+?assignSafepoint@LIRGeneratorShared@jit@js@@IAEXPAVLInstruction@23@PAVMInstruction@23@W4BailoutKind@23@@Z
+?initSafepoint@LInstruction@jit@js@@QAEXAAVTempAllocator@23@@Z
+?New@LRecoverInfo@jit@js@@SAPAV123@PAVMIRGenerator@23@PAVMResumePoint@23@@Z
+?New@LSnapshot@jit@js@@SAPAV123@PAVMIRGenerator@23@PAVLRecoverInfo@23@W4BailoutKind@23@@Z
+?growStorageBy@?$Vector@PAVLInstruction@jit@js@@$0A@VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+??$define@$00@LIRGeneratorShared@jit@js@@IAEXPAV?$LInstructionFixedDefsTempsHelper@$00$00@details@12@PAVMDefinition@12@W4Policy@LDefinition@12@@Z
+?lowerForALU@LIRGeneratorX86Shared@jit@js@@IAEXPAV?$LInstructionHelper@$00$01$0A@@23@PAVMDefinition@23@11@Z
+??$defineReuseInput@$00$0A@@LIRGeneratorShared@jit@js@@IAEXPAV?$LInstructionHelper@$00$00$0A@@12@PAVMDefinition@12@I@Z
+?visitUnbox@LIRGenerator@jit@js@@AAEXPAVMUnbox@23@@Z
+?assignSnapshot@LIRGeneratorShared@jit@js@@IAEXPAVLInstruction@23@W4BailoutKind@23@@Z
+??$defineReuseInput@$00$00@LIRGeneratorShared@jit@js@@IAEXPAV?$LInstructionHelper@$00$00$00@12@PAVMDefinition@12@I@Z
+?visitBox@LIRGenerator@jit@js@@AAEXPAVMBox@23@@Z
+?lowerTypedPhiInput@LIRGeneratorShared@jit@js@@IAEXPAVMPhi@23@IPAVLBlock@23@I@Z
+?toJSValue@MConstant@jit@js@@QBE?AVValue@JS@@XZ
+?definePhiTwoRegisters@LIRGeneratorShared@jit@js@@IAEXPAVMPhi@23@I@Z
+?definePhiOneRegister@LIRGeneratorShared@jit@js@@IAEXPAVMPhi@23@I@Z
+?visitReturn@LIRGenerator@jit@js@@AAEXPAVMReturn@23@@Z
+?tryFold@MCompare@jit@js@@QAE_NPA_N@Z
+?ReorderCommutative@LIRGeneratorShared@jit@js@@KAXPAPAVMDefinition@23@0PAVMInstruction@23@@Z
+?fallible@MAdd@jit@js@@QBE_NXZ
+?go@BacktrackingAllocator@jit@js@@QAE_NXZ
+?init@RegisterAllocator@jit@js@@IAE_NXZ
+?clone@MBoundsCheck@jit@js@@UBEPAVMInstruction@23@AAVTempAllocator@23@ABV?$Vector@PAVMDefinition@jit@js@@$05VJitAllocPolicy@23@@mozilla@@@Z
+?init@BitSet@jit@js@@QAE_NAAVTempAllocator@23@@Z
+??0GfxInfo@widget@mozilla@@QAE@XZ
+??0GfxInfoBase@widget@mozilla@@QAE@XZ
+?RecvUnobserveVsync@CompositorWidgetChild@widget@mozilla@@UAE?AVIPCResult@ipc@3@XZ
+?Init@GfxInfoBase@widget@mozilla@@UAE?AW4nsresult@@XZ
+?insertAll@BitSet@jit@js@@QAEXABV123@@Z
+?getInputMoveGroup@RegisterAllocator@jit@js@@IAEPAVLMoveGroup@23@PAVLInstruction@23@@Z
+?getEntryMoveGroup@LBlock@jit@js@@QAEPAVLMoveGroup@23@AAVTempAllocator@23@@Z
+?growStorageBy@?$Vector@VLMove@jit@js@@$01VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+?addAfter@LMoveGroup@jit@js@@QAE_NVLAllocation@23@0W4Type@LDefinition@23@@Z
+??0CodeGenerator@jit@js@@QAE@PAVMIRGenerator@12@PAVLIRGraph@12@PAVMacroAssembler@12@@Z
+??0CodeGeneratorShared@jit@js@@QAE@PAVMIRGenerator@12@PAVLIRGraph@12@PAVMacroAssembler@12@@Z
+??0SnapshotWriter@jit@js@@QAE@XZ
+??0SafepointWriter@jit@js@@QAE@II@Z
+?FromDepth@FrameSizeClass@jit@js@@SA?AV123@I@Z
+?generate@CodeGenerator@jit@js@@QAE_NXZ
+?addNativeToBytecodeEntry@CodeGeneratorShared@jit@js@@IAE_NPBVBytecodeSite@23@@Z
+?generatePrologue@CodeGeneratorShared@jit@js@@IAE_NXZ
+?getBailoutTable@JitRuntime@jit@js@@QBE?AUTrampolinePtr@23@ABVFrameSizeClass@23@@Z
+??1CodeSegment@wasm@js@@QAE@XZ
+?omitOverRecursedCheck@CodeGeneratorShared@jit@js@@QBE_NXZ
+?addOutOfLineCode@CodeGeneratorShared@jit@js@@IAEXPAVOutOfLineCode@23@PBVMInstruction@23@@Z
+?growStorageBy@?$Vector@PAVOutOfLineCode@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?markOsiPoint@CodeGeneratorShared@jit@js@@IAEIPAVLOsiPoint@23@@Z
+?writeRecoverData@MResumePoint@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?add@SnapshotWriter@jit@js@@QAE_NABVRValueAllocation@23@@Z
+?addMove@MoveResolver@jit@js@@QAE_NABVMoveOperand@23@0W4Type@MoveOp@23@@Z
+?visitBitOpI@CodeGenerator@jit@js@@AAEXPAVLBitOpI@23@@Z
+?xorl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?xorl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?visitTestIAndBranch@CodeGenerator@jit@js@@AAEXPAVLTestIAndBranch@23@@Z
+?emitBranch@CodeGeneratorX86Shared@jit@js@@IAEXW4Condition@AssemblerX86Shared@23@PAVMBasicBlock@23@1W4NaNCond@523@@Z
+?jumpToBlock@CodeGeneratorShared@jit@js@@IAEXPAVMBasicBlock@23@W4Condition@AssemblerX86Shared@23@@Z
+?jumpToBlock@CodeGeneratorShared@jit@js@@IAEXPAVMBasicBlock@23@@Z
+?visitUnbox@CodeGenerator@jit@js@@AAEXPAVLUnbox@23@@Z
+?bailoutIf@CodeGeneratorX86Shared@jit@js@@IAEXW4Condition@AssemblerX86Shared@23@PAVLSnapshot@23@@Z
+?encode@CodeGeneratorShared@jit@js@@IAEXPAVLSnapshot@23@@Z
+?bailoutFrom@CodeGeneratorX86Shared@jit@js@@IAEXPAVLabel@23@PAVLSnapshot@23@@Z
+?visitBox@CodeGenerator@jit@js@@AAEXPAVLBox@23@@Z
+?visitValue@CodeGenerator@jit@js@@AAEXPAVLValue@23@@Z
+?bailout@CodeGeneratorX86Shared@jit@js@@IAEXPAVLSnapshot@23@@Z
+?getJumpLabelForBranch@CodeGeneratorShared@jit@js@@IAEPAVLabel@23@PAVMBasicBlock@23@@Z
+?visitCompareAndBranch@CodeGenerator@jit@js@@AAEXPAVLCompareAndBranch@23@@Z
+?visitTestFAndBranch@CodeGenerator@jit@js@@AAEXPAVLTestFAndBranch@23@@Z
+?emitPreBarrier@CodeGeneratorShared@jit@js@@IAEXUAddress@23@@Z
+?writeDataRelocation@AssemblerX86Shared@jit@js@@IAEXVImmGCPtr@23@@Z
+?visitAddI@CodeGenerator@jit@js@@AAEXPAVLAddI@23@@Z
+??$storeTypedOrValue@UAddress@jit@js@@@MacroAssembler@jit@js@@QAEXVTypedOrValueRegister@12@ABUAddress@12@@Z
+?storeTypeTag@MacroAssemblerX86@jit@js@@QAEXUImmTag@23@VOperand@23@@Z
+?growStorageBy@?$Vector@E$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?scratchRegisterForEntryJump@IonIC@jit@js@@QAE?AURegister@23@XZ
+?growStorageBy@?$Vector@VCodegenSafepointIndex@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?generateEpilogue@CodeGeneratorShared@jit@js@@IAE_NXZ
+?generateInvalidateEpilogue@CodeGeneratorX86Shared@jit@js@@IAEXXZ
+?generateOutOfLineCode@CodeGeneratorX86Shared@jit@js@@IAE_NXZ
+?generateOutOfLineCode@CodeGeneratorShared@jit@js@@IAE_NXZ
+?addSizeOfCode@ExecutableAllocator@jit@js@@QBEXPAUCodeSizes@JS@@@Z
+?saveVolatile@CodeGeneratorShared@jit@js@@IAEXURegister@23@@Z
+?restoreVolatile@CodeGeneratorShared@jit@js@@IAEXURegister@23@@Z
+?getRegExpStatics@GlobalObject@js@@SAPAVRegExpStatics@2@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?swap@AssemblerBuffer@jit@js@@QAE_NAAV?$Vector@E$0A@VSystemAllocPolicy@js@@@mozilla@@@Z
+?Push@MacroAssembler@jit@js@@QAEXABVConstantOrRegister@23@@Z
+?storeCallResultValue@MacroAssembler@jit@js@@QAEXVValueOperand@23@@Z
+?InvertCondition@AssemblerX86Shared@jit@js@@SA?AW4DoubleCondition@123@W44123@@Z
+?FinishOffThreadIonCompile@js@@YAXPAVIonCompileTask@jit@1@ABVAutoLockHelperThreadState@1@@Z
+?requestInterrupt@JSContext@@QAEXW4InterruptReason@js@@@Z
+?Append@?$nsTSubstring@_S@@QAEXPB_SI@Z
+?ToUpperCase@@YAXAAV?$nsTSubstring@_S@@@Z
+?Find@?$nsTString@_S@@QBEHPBD_NHH@Z
+?Equals@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPB_SP6AH00II@Z@Z
+?nsCaseInsensitiveStringComparator@@YAHPB_S0II@Z
+?CaseInsensitiveCompare@@YAHPB_S0I@Z
+?ToInteger@?$nsTSubstring@_S@@QBEHPAW4nsresult@@I@Z
+?AppendPrintf@?$nsTSubstring@_S@@QAAXPBDZZ
+?append@?$PrintfAppend@_S@@UAE_NPBDI@Z
+?GetDeviceVendor@GfxDriverInfo@widget@mozilla@@SAABV?$nsTSubstring@_S@@W4DeviceVendor@23@@Z
+?AssignASCII@?$nsTSubstring@_S@@QAIXPBDI@Z
+?GetAdapterDeviceID@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetAdapterVendorID@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetAdapterDriverVersion@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetAdapterVendorID2@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?AppendAppNotesToCrashReport@CrashReporter@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?QueryInterface@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@GfxInfoBase@widget@mozilla@@UAGKXZ
+?handleInterrupt@JSContext@@QAE_NXZ
+?gcIfRequested@GCRuntime@gc@js@@QAE_NXZ
+?AttachFinishedCompilations@jit@js@@YAXPAUJSContext@@@Z
+?setPendingIonCompileTask@BaselineScript@jit@js@@QAEXPAUJSRuntime@@PAVJSScript@@PAVIonCompileTask@23@@Z
+?ionLazyLinkListAdd@JitRuntime@jit@js@@QAEXPAUJSRuntime@@PAVIonCompileTask@23@@Z
+?LazyLinkTopActivation@jit@js@@YAPAEPAUJSContext@@PAVLazyLinkExitFrameLayout@12@@Z
+?LinkIonScript@jit@js@@YAXPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?link@CodeGenerator@jit@js@@QAE_NPAUJSContext@@PBVWarpSnapshot@23@@Z
+?performStubReadBarriers@JitRealm@jit@js@@QBEXI@Z
+?encodeSafepoints@CodeGeneratorShared@jit@js@@IAE_NXZ
+?encode@SafepointWriter@jit@js@@QAEXPAVLSafepoint@23@@Z
+?New@IonScript@jit@js@@SAPAV123@PAUJSContext@@VIonCompilationId@3@IIIIIIIIIIIIIIW4OptimizationLevel@23@@Z
+?copyICEntries@IonScript@jit@js@@QAEXPBI@Z
+?resetCodeRaw@IonIC@jit@js@@QAEXPAVIonScript@23@@Z
+?copySafepointIndices@IonScript@jit@js@@QAEXPBVCodegenSafepointIndex@23@@Z
+?copySafepoints@IonScript@jit@js@@QAEXPBVSafepointWriter@23@@Z
+?copyBailoutTable@IonScript@jit@js@@QAEXPBI@Z
+?copyOsiIndices@IonScript@jit@js@@QAEXPBVOsiIndex@23@@Z
+?copySnapshots@IonScript@jit@js@@QAEXPBVSnapshotWriter@23@@Z
+?copyRecovers@IonScript@jit@js@@QAEXPBVRecoverWriter@23@@Z
+?FinishOffThreadTask@jit@js@@YAXPAUJSRuntime@@PAVIonCompileTask@12@ABVAutoLockHelperThreadState@2@@Z
+?StartOffThreadIonFree@js@@YA_NPAVIonCompileTask@jit@1@ABVAutoLockHelperThreadState@1@@Z
+?update@IonGetPropertyIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@3V?$MutableHandle@VValue@JS@@@6@@Z
+?attachCacheIRStub@IonIC@jit@js@@QAEXPAUJSContext@@ABVCacheIRWriter@23@W4CacheKind@23@PAVIonScript@23@PA_N@Z
+?New@CacheIRStubInfo@jit@js@@SAPAV123@W4CacheKind@23@W4ICStubEngine@23@_NIABVCacheIRWriter@23@@Z
+?orl_im@BaseAssembler@X86Encoding@jit@js@@QAEXHHW4RegisterID@234@0H@Z
+?initInputLocation@CacheRegisterAllocator@jit@js@@QAEXIABVTypedOrValueRegister@23@@Z
+?initInputLocation@CacheRegisterAllocator@jit@js@@QAEXIABVConstantOrRegister@23@@Z
+?fixupAliasedInputs@CacheRegisterAllocator@jit@js@@QAEXAAVMacroAssembler@23@@Z
+?runHelperThreadTask@IonFreeTask@jit@js@@UAEXAAVAutoLockHelperThreadState@3@@Z
+??1CodeGenerator@jit@js@@QAE@XZ
+?ClearUser@Preferences@mozilla@@SA?AW4nsresult@@PBD@Z
+?QueryInterface@nsUUIDGenerator@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?MsSinceProcessStart@Common@Telemetry@mozilla@@YA?AW4nsresult@@PAN@Z
+?Get@MemoryTelemetry@mozilla@@SAAAV12@XZ
+?getOwnPropertyDescriptor@SandboxProxyHandler@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@UPropertyDescriptor@JS@@@4@@Z
+?DefineGlean@Glean@glean@mozilla@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CurrentNativeGlobal@xpc@@YAPAVnsIGlobalObject@@PAUJSContext@@@Z
+?Wrap@GleanImpl_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVGlean@glean@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?CreateInterfaceObjects@GleanImpl_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NewProxyObject@js@@YAPAVJSObject@@PAUJSContext@@PBVBaseProxyHandler@1@V?$Handle@VValue@JS@@@JS@@PAV2@ABVProxyOptions@1@@Z
+?ConstructorEnabled@XMLHttpRequest_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@XMLHttpRequest_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@XMLHttpRequestEventTarget_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?powi@js@@YANNH@Z
+?getOrCreateRandomNumberGenerator@Realm@JS@@QAEAAVXorShift128PlusRNG@non_crypto@mozilla@@XZ
+?IncrementRegister@ActionNode@internal@v8@@SAPAV123@HPAVRegExpNode@23@@Z
+?AddGuard@GuardedAlternative@internal@v8@@QAEXPAVGuard@23@PAVZone@23@@Z
+?SetRegisterForLoop@ActionNode@internal@v8@@SAPAV123@HHPAVRegExpNode@23@@Z
+?AddCaseEquivalents@CharacterRange@internal@v8@@SAXPAVIsolate@23@PAVZone@23@PAV?$ZoneList@VCharacterRange@internal@v8@@@23@_N@Z
+?RangeContainsLatin1Equivalents@internal@v8@@YA_NVCharacterRange@12@@Z
+?IgnoreSet@RegExpCaseFolding@internal@v8@@SAABVUnicodeSet@icu_67@@XZ
+?ShutdownXPCOM@mozilla@@YA?AW4nsresult@@PAVnsIServiceManager@@@Z
+?EatsAtLeastFromLoopEntry@LoopChoiceNode@internal@v8@@UAE?AUEatsAtLeastInfo@23@XZ
+?PushRegister@RegExpBytecodeGenerator@internal@v8@@UAEXHW4StackCheckFlag@RegExpMacroAssembler@23@@Z
+?SetRegister@RegExpBytecodeGenerator@internal@v8@@UAEXHH@Z
+?SpecialAddSet@RegExpCaseFolding@internal@v8@@SAABVUnicodeSet@icu_67@@XZ
+?IfRegisterLT@RegExpBytecodeGenerator@internal@v8@@UAEXHHPAVLabel@23@@Z
+?IfRegisterGE@RegExpBytecodeGenerator@internal@v8@@UAEXHHPAVLabel@23@@Z
+?CheckCharacterInRange@RegExpBytecodeGenerator@internal@v8@@UAEX_S0PAVLabel@23@@Z
+?AdvanceRegister@RegExpBytecodeGenerator@internal@v8@@UAEXHH@Z
+?PopRegister@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?RemoveCrashReportAnnotation@CrashReporter@@YA?AW4nsresult@@W4Annotation@1@@Z
+??0nsSystemInfo@@QAE@XZ
+?AddRef@ChromiumCDMParent@gmp@mozilla@@UAGKXZ
+?Init@nsSystemInfo@@QAE?AW4nsresult@@XZ
+?SetPropertyAsACString@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@ABV?$nsTSubstring@D@@@Z
+?SetAsACString@nsVariantBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Cleanup@nsDiscriminatedUnion@@QAEXXZ
+?SetProperty@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIVariant@@@Z
+?AddRef@nsVariant@@UAGKXZ
+?Release@nsVariant@@UAGKXZ
+?SetPropertyAsBool@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@_N@Z
+?SetAsBool@nsVariantBase@@UAG?AW4nsresult@@_N@Z
+?SetPropertyAsInt32@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@H@Z
+?SetAsInt32@nsVariantBase@@UAG?AW4nsresult@@H@Z
+?SetPropertyAsUint64@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@_K@Z
+?SetAsUint64@nsVariantBase@@UAG?AW4nsresult@@_K@Z
+?SetPropertyAsUint32@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@I@Z
+?SetAsUint32@nsVariantBase@@UAG?AW4nsresult@@I@Z
+?SetPropertyAsAString@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@0@Z
+?SetAsAString@nsVariantBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?QueryInterface@nsSystemInfo@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsSystemInfo@@UAGKXZ
+?Get@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAPAVnsIVariant@@@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@I@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?QueryInterface@nsVariant@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?VariantDataToJS@XPCVariant@@SA_NPAUJSContext@@PAVnsIVariant@@PAW4nsresult@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?GetAsACString@Variant_base@storage@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAsACString@nsVariantBase@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ConvertToACString@nsDiscriminatedUnion@@QBE?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetProperty@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAPAVnsIVariant@@@Z
+?GetAsDouble@nsVariantBase@@UAG?AW4nsresult@@PAN@Z
+?SetCycleCollectionArrayFlag@detail@@YAXAAI@Z
+?GetAsBool@nsVariantBase@@UAG?AW4nsresult@@PA_N@Z
+?GetInstanceAddRefed@OSPreferences@intl@mozilla@@SA?AU?$already_AddRefed@VOSPreferences@intl@mozilla@@@@XZ
+??0OSPreferences@intl@mozilla@@QAE@XZ
+?QueryInterface@OSPreferences@intl@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@OSPreferences@intl@mozilla@@UAGKXZ
+?GetSystemLocale@OSPreferences@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetSystemLocales@OSPreferences@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?ReadSystemLocales@OSPreferences@intl@mozilla@@AAE_NAAV?$nsTArray@V?$nsTString@D@@@@@Z
+nscstring_fallible_append_utf16_to_latin1_lossy_impl
+?RaiseException@Details@WRL@Microsoft@@YAXJK@Z
+?Clear@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?initTwoByte@AutoStableStringChars@JS@@QAE_NPAUJSContext@@PAVJSString@@@Z
+?JS_LinearStringEqualsAscii@@YA_NPAVJSLinearString@@PBDI@Z
+?JS_DefineUCProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PB_SI11I@Z
+?JS_InitReservedSlot@@YAXPAVJSObject@@IPAXIW4MemoryUse@JS@@@Z
+?Open@Library@ctypes@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetThisObject@ctypes@js@@YAPAVJSObject@@PAUJSContext@@ABVCallArgs@JS@@PBD@Z
+?GetCallbacks@ctypes@js@@YAPBUCTypesCallbacks@JS@@PAVJSObject@@@Z
+?JS_CopyStringCharsZ@@YA?AV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@PAUJSContext@@PAVJSString@@@Z
+?CreateInternal@FunctionType@ctypes@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@1ABVHandleValueArray@7@@Z
+??$put@AAU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@?$HashSet@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@QAE_NAAU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@Z
+??$pod_arena_malloc@PAVJSObject@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAPAVJSObject@@II@Z
+?IsSizeDefined@CType@ctypes@js@@YA_NPAVJSObject@@@Z
+ffi_prep_cif_core
+ffi_prep_cif_machdep
+?BuildSymbolName@FunctionType@ctypes@js@@YAXPAUJSContext@@PAVJSString@@PAVJSObject@@AAV?$StringBuilder@D$0A@@23@@Z
+??$AppendString@$0A@@ctypes@js@@YAXPAUJSContext@@AAV?$StringBuilder@D$0A@@01@PAVJSString@@@Z
+?EqualStrings@js@@YA_NPAVJSLinearString@@0@Z
+?GetLibrary@Library@ctypes@js@@YAPAUPRLibrary@@PAVJSObject@@@Z
+??0AutoCTypesActivityCallback@JS@@QAE@PAUJSContext@@W4CTypesActivityType@1@1@Z
+?QueryInterface@nsVersionComparatorImpl@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Compare@nsVersionComparatorImpl@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0PAH@Z
+?Initialized@gfxPlatform@@SA_NXZ
+?GetPlatform@gfxPlatform@@SAPAV1@XZ
+?Init@gfxPlatform@@CAXXZ
+?Initialize@gfxVars@gfx@mozilla@@SAXXZ
+?Init@gfxConfig@gfx@mozilla@@SAXXZ
+?reset@?$UniquePtr@VgfxConfig@gfx@mozilla@@V?$DefaultDelete@VgfxConfig@gfx@mozilla@@@3@@mozilla@@QAEXPAVgfxConfig@gfx@2@@Z
+?Initialize@GPUProcessManager@gfx@mozilla@@SAXXZ
+??0RevocableStore@@QAE@XZ
+?Initialize@LayerTreeOwnerTracker@layers@mozilla@@SAXXZ
+?InitializeStatics@CompositorBridgeParent@layers@mozilla@@SAXXZ
+?_Swap@?$_Func_class@X$$V@std@@IAEXAAV12@@Z
+?_Copy@?$_Func_impl_no_alloc@P6AXXZX$$V@std@@EBEPAV?$_Func_base@X$$V@2@PAX@Z
+?Initialize@RDDProcessManager@mozilla@@SAXXZ
+?RegisterShutdownObserver@nsContentUtils@@SAXPAVnsIObserver@@@Z
+?Shutdown@RDDProcessManager@mozilla@@SAXXZ
+?NotifyReceivers@gfxVars@gfx@mozilla@@AAEXPAVVarBase@123@@Z
+??0GfxVarValue@gfx@mozilla@@QAE@ABV?$nsTString@D@@@Z
+??4GfxVarValue@gfx@mozilla@@QAEAAV012@$$QAV012@@Z
+??1GfxVarValue@gfx@mozilla@@QAE@XZ
+??0GfxVarValue@gfx@mozilla@@QAE@ABV012@@Z
+??0GfxVarValue@gfx@mozilla@@QAE@ABV?$nsTString@_S@@@Z
+?MaybeInitOncePrefs@StaticPrefs@mozilla@@YAXXZ
+?AppNote@ScopedGfxFeatureReporter@mozilla@@SAXABV?$nsTSubstring@D@@@Z
+?InitMoz2DLogging@gfxPlatform@@SAXXZ
+?RegisterMemoryReporter@NativeFontResource@gfx@mozilla@@SAXXZ
+XPCOMService_GetGfxInfo
+?GetFeatureStatus@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@HAAV?$nsTSubstring@D@@PAH@Z
+?Equals@?$nsTStringRepr@_S@detail@mozilla@@QBI_NABV123@P6AHPB_S1II@Z@Z
+?ParseDriverVersion@widget@mozilla@@YA_NABV?$nsTSubstring@_S@@PA_K@Z
+?GetFeatureStatusImpl@GfxInfoBase@widget@mozilla@@MAE?AW4nsresult@@HPAHAAV?$nsTSubstring@_S@@ABV?$nsTArray@UGfxDriverInfo@widget@mozilla@@@@AAV?$nsTSubstring@D@@PAW4OperatingSystem@23@@Z
+?GetData@GfxInfoBase@widget@mozilla@@UAGXXZ
+?GetAddRefedSingleton@ScreenManager@widget@mozilla@@SA?AU?$already_AddRefed@VScreenManager@widget@mozilla@@@@XZ
+?QueryInterface@ScreenManager@widget@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@ScreenManager@widget@mozilla@@UAGKXZ
+?GetRect@Screen@widget@mozilla@@UAG?AW4nsresult@@PAH000@Z
+?GetDeviceFamily@GfxDriverInfo@widget@mozilla@@SAPBVGfxDeviceFamily@23@W4DeviceFamily@23@@Z
+?GetDriverVendor@GfxDriverInfo@widget@mozilla@@SAABV?$nsTSubstring@_S@@W4DriverVendor@23@@Z
+?GetDeviceVendor@GfxDriverInfo@widget@mozilla@@SAABV?$nsTSubstring@_S@@W4DeviceFamily@23@@Z
+?GetWindowProtocol@GfxDriverInfo@widget@mozilla@@SAABV?$nsTSubstring@_S@@W4WindowProtocol@23@@Z
+?GetDesktopEnvironment@GfxDriverInfo@widget@mozilla@@SAABV?$nsTSubstring@_S@@W4DesktopEnvironment@23@@Z
+??0GfxDriverInfo@widget@mozilla@@QAE@W4OperatingSystem@12@W4ScreenSizeStatus@12@W4BatteryStatus@12@ABV?$nsTSubstring@_S@@333PAVGfxDeviceFamily@12@HHW4VersionComparisonOp@12@_KPBD7_N8@Z
+??0GfxDriverInfo@widget@mozilla@@QAE@ABU012@@Z
+??1GfxDriverInfo@widget@mozilla@@QAE@XZ
+?FindBlocklistedDeviceInList@GfxInfoBase@widget@mozilla@@EAEHABV?$nsTArray@UGfxDriverInfo@widget@mozilla@@@@AAV?$nsTSubstring@_S@@HAAV?$nsTSubstring@D@@W4OperatingSystem@23@_N@Z
+?GetHasBattery@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?OperatingSystemBuild@GfxInfo@widget@mozilla@@UAEIXZ
+?GetAdapterDriverVendor2@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetAdapterDeviceID2@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetAdapterDriverVersion2@GfxInfo@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?DoesWindowProtocolMatch@GfxInfoBase@widget@mozilla@@MAE_NABV?$nsTSubstring@_S@@0@Z
+?DoesDriverVendorMatch@GfxInfoBase@widget@mozilla@@MAE_NABV?$nsTSubstring@_S@@0@Z
+??0gfxWindowsPlatform@@QAE@XZ
+??0gfxPlatform@@IAE@XZ
+??0GfxInfoCollectorBase@widget@mozilla@@QAE@XZ
+?InitBackendPrefs@gfxPlatform@@IAEX$$QAUBackendPrefsData@@@Z
+?DetachedFromEditor@EditorEventListener@mozilla@@IBE_NXZ
+?ManagerInit@VRManager@gfx@mozilla@@SAXXZ
+?Init@VRServiceHost@gfx@mozilla@@SAX_N@Z
+?GetPrimaryScreen@ScreenManager@widget@mozilla@@UAG?AW4nsresult@@PAPAVnsIScreen@@@Z
+?GetColorDepth@Screen@widget@mozilla@@UAG?AW4nsresult@@PAH@Z
+?GetSourceSurfaceForSurface@gfxPlatform@@SA?AU?$already_AddRefed@VSourceSurface@gfx@mozilla@@@@V?$RefPtr@VDrawTarget@gfx@mozilla@@@@PAVgfxASurface@@_N@Z
+??0DCForMetrics@@QAE@XZ
+?InitAcceleration@gfxPlatform@@MAEXXZ
+?SetDefault@FeatureState@gfx@mozilla@@QAE_N_NW4FeatureStatus@23@PBD@Z
+?UserDisable@FeatureState@gfx@mozilla@@QAEXPBDABV?$nsTSubstring@D@@@Z
+??$SprintfLiteral@$0EA@@@YAHAAY0EA@DPBDZZ
+?OptimalFormatForContent@gfxPlatform@@UAE?AW4SurfaceFormat@gfx@mozilla@@W4gfxContentType@@@Z
+?DisableByDefault@FeatureState@gfx@mozilla@@QAEXW4FeatureStatus@23@PBDABV?$nsTSubstring@D@@@Z
+?IsEnabled@gfxConfig@gfx@mozilla@@SA_NW4Feature@23@@Z
+?Init@DeviceManagerDx@gfx@mozilla@@SAXXZ
+?GetDLLVersion@gfxWindowsPlatform@@SAXVchar16ptr_t@@AAV?$nsTSubstring@_S@@@Z
+?IsEnabled@FeatureState@gfx@mozilla@@QBE_NXZ
+?HasDeviceReset@DeviceManagerDx@gfx@mozilla@@QAE_NPAW4DeviceResetReason@@@Z
+?HasD2D1Device@Factory@gfx@mozilla@@SA_NXZ
+?GetD2D1Device@Factory@gfx@mozilla@@SA?AV?$RefPtr@UID2D1Device@@@@PAI@Z
+?Disable@gfxConfig@gfx@mozilla@@SAXW4Feature@23@W4FeatureStatus@23@PBDABV?$nsTSubstring@D@@@Z
+?UpdateRenderMode@gfxWindowsPlatform@@QAEXXZ
+?GetDWriteFactory@Factory@gfx@mozilla@@SA?AV?$RefPtr@UIDWriteFactory@@@@XZ
+?WriteAppNote@ScopedGfxFeatureReporter@mozilla@@AAEXDH@Z
+?EnsureDWriteFactory@Factory@gfx@mozilla@@SA?AV?$RefPtr@UIDWriteFactory@@@@XZ
+_moz_cairo_dwrite_set_cleartype_params
+?IsVsyncEnabled@D3DVsyncDisplay@D3DVsyncSource@@UAE_NXZ
+?_Delete_this@?$_Func_impl_no_alloc@V<lambda_1>@?0??SetChunkManager@ProfileChunkedBuffer@mozilla@@AAEXAAVProfileBufferChunkManager@4@ABVBaseProfilerMaybeAutoLock@detail@baseprofiler@4@@Z@XABVProfileBufferChunk@4@@std@@EAEX_N@Z
+?UpdateCanUseHardwareVideoDecoding@gfxPlatform@@QAEXXZ
+?TextureSharingWorks@DeviceManagerDx@gfx@mozilla@@QAE_NXZ
+?EnumerateOutputs@DeviceManagerDx@gfx@mozilla@@QAE?AV?$nsTArray@UDXGI_OUTPUT_DESC1@@@@XZ
+?ScalarSet@Telemetry@mozilla@@YAXW4ScalarID@12@I@Z
+?Set@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@I@Z
+?InitWebRenderConfig@gfxPlatform@@MAEXXZ
+?AddReceiver@gfxVars@gfx@mozilla@@SAXPAVgfxVarReceiver@23@@Z
+?Init@gfxConfigManager@gfx@mozilla@@QAEXXZ
+?WebRenderPrefEnabled@gfxPlatform@@SA_NXZ
+?WebRenderEnvvarEnabled@gfxPlatform@@SA_NXZ
+?WebRenderEnvvarDisabled@gfxPlatform@@SA_NXZ
+?CheckHardwareStretchingSupport@DeviceManagerDx@gfx@mozilla@@QAEXAAUHwStretchingSupport@@@Z
+?HasScaledResolution@gfx@mozilla@@YA_NXZ
+??1DeviceManagerDx@gfx@mozilla@@QAE@XZ
+?GetScaledResolutions@gfx@mozilla@@YAXAAV?$nsTArray@U?$pair@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U123@@std@@@@@Z
+?InSafeMode@gfxPlatform@@SA_NXZ
+?ConfigureWebRender@gfxConfigManager@gfx@mozilla@@QAEXXZ
+?ScalarSet@Telemetry@mozilla@@YAXW4ScalarID@12@_N@Z
+?Set@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@_N@Z
+?RemoveShaderCacheFromDiskIfNecessary@gfxUtils@@SAXXZ
+?InitWebGLConfig@gfxPlatform@@MAEXXZ
+?OnVarChanged@nsCSSPropsGfxVarReceiver@@UAEXABVGfxVarUpdate@gfx@mozilla@@@Z
+?InitWebGPUConfig@gfxPlatform@@MAEXXZ
+?SetDefaultFromPref@FeatureState@gfx@mozilla@@QAEXPBD_N1@Z
+?SetFailed@FeatureState@gfx@mozilla@@QAEXW4FeatureStatus@23@PBDABV?$nsTSubstring@D@@@Z
+?CalculatePaintWorkerCount@PaintThread@layers@mozilla@@SAHXZ
+?GetSoftwareVsyncRate@gfxPlatform@@SAHXZ
+?DwmCompositionEnabled@gfxWindowsPlatform@@QAE_NXZ
+??_GgfxWindowsPlatform@@UAEPAXI@Z
+??0Display@VsyncSource@gfx@mozilla@@QAE@XZ
+??0VsyncDispatcher@mozilla@@QAE@PAVDisplay@VsyncSource@gfx@1@@Z
+?destroy_sandbox@?$rlbox_sandbox@Vrlbox_noop_sandbox@rlbox@@@rlbox@@QAE?A?<auto>@@XZ
+?Start@Thread@base@@QAE_NXZ
+?Run@MessagePumpDefault@base@@UAEXPAVDelegate@MessagePump@2@@Z
+?PostDelayedTask@MessageLoop@@QAEXU?$already_AddRefed@VnsIRunnable@@@@H@Z
+?NotifyActivity@BackgroundHangMonitor@mozilla@@QAEXXZ
+?DoDelayedWork@MessageLoop@@MAE_NPAVTimeTicks@base@@@Z
+?DoIdleWork@MessageLoop@@MAE_NXZ
+?NotifyWait@BackgroundHangThread@mozilla@@QAEXXZ
+?CacheRuntimeFeatures@SkCpu@@SAXXZ
+?Init@SkOpts@@YAXXZ
+?Init_ssse3@SkOpts@@YAXXZ
+?Init_sse41@SkOpts@@YAXXZ
+?Init_sse42@SkOpts@@YAXXZ
+?Init_avx@SkOpts@@YAXXZ
+?Init_hsw@SkOpts@@YAXXZ
+?Start@CompositorThreadHolder@layers@mozilla@@SAXXZ
+?CompositorThread@layers@mozilla@@YAPAVnsISerialEventTarget@@XZ
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@UMemoryReport@wr@mozilla@@_N$00@mozilla@@UAE@XZ
+??0BackgroundHangMonitor@mozilla@@QAE@XZ
+??0gfxDWriteFontList@@QAE@XZ
+??0gfxPlatformFontList@@IAE@_N@Z
+??1BackgroundHangMonitor@mozilla@@QAE@XZ
+?GetPrefsFontList@gfxFontUtils@@SAXPBDAAV?$nsTArray@V?$nsTString@D@@@@_N@Z
+?MapUVSToGlyphFormat14@gfxFontUtils@@SAGPBEII@Z
+??$Substring@D@@YA?BV?$nsTDependentSubstring@D@@PBD0@Z
+?CompressWhitespace@?$nsTString@D@@QAEX_N0@Z
+?RegisterCallback@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZABV?$nsTSubstring@D@@1W4MatchKind@12@_N@Z
+?InitFontList@gfxPlatformFontList@@QAE?AW4nsresult@@XZ
+?PurgeSkiaFontCache@gfxPlatform@@SAXXZ
+?GlobalStrikeCache@SkStrikeCache@@SAPAV1@XZ
+?purgeAll@SkStrikeCache@@QAEXXZ
+?findOrCreateScopedStrike@SkStrikeCache@@UAE?AV?$unique_ptr@VSkStrikeForGPU@@UDeleter@1@@std@@ABVSkDescriptor@@ABUSkScalerContextEffects@@ABVSkTypeface@@@Z
+?ApplyWhitelist@gfxPlatformFontList@@IAEXAAV?$nsTArray@UInitData@Family@fontlist@mozilla@@@@@Z
+?ClearLangGroupPrefFonts@gfxPlatformFontList@@UAEXXZ
+?CancelLoader@gfxFontInfoLoader@@QAEXXZ
+?GetOrCreateFontEntry@gfxPlatformFontList@@QAEPAVgfxFontEntry@@PAUFace@fontlist@mozilla@@PBUFamily@45@@Z
+?SetRange@gfxSparseBitSet@@QAEXII@Z
+??0FontList@fontlist@mozilla@@QAE@I@Z
+?TrySetShmemCharacterMap@gfxFontEntry@@IAE_NXZ
+?GetDWriteSystemFonts@Factory@gfx@mozilla@@SA?AV?$RefPtr@UIDWriteFontCollection@@@@_N@Z
+?GetInstance@OSPreferences@intl@mozilla@@SAPAV123@XZ
+??$InsertSlotsAt@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayFallibleResult@@IIII@Z
+??$Compare@D@@YIHABV?$nsTStringRepr@D@detail@mozilla@@0P6AHPBD1II@Z@Z
+?FamilyInList@gfxPlatformFontList@@KA_NABV?$nsTSubstring@D@@QAPBDI@Z
+?CaseInsensitiveCompare@@YAHPBD0II@Z
+?ShareBlocksToProcess@FontList@fontlist@mozilla@@QAEXPAV?$nsTArray@PAX@@K@Z
+?Alloc@FontList@fontlist@mozilla@@QAE?AUPointer@23@I@Z
+?GetLog@gfxPlatform@@SAPAVLogModule@mozilla@@W4eGfxLog@@@Z
+?GetPrefsAndStartLoader@gfxPlatformFontList@@IAEXXZ
+?StartLoader@gfxFontInfoLoader@@QAEXI@Z
+??1?$nsTArray_Impl@UInitData@Family@fontlist@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?FindFamily@FontList@fontlist@mozilla@@QAEPAUFamily@23@ABV?$nsTString@D@@@Z
+?LocalizedFamilyName@FontList@fontlist@mozilla@@QAE?AV?$nsTString@D@@PBUFamily@23@@Z
+??0gfxFontStyle@@QAE@XZ
+?FindSharedFamily@gfxPlatformFontList@@IAEPAUFamily@fontlist@mozilla@@ABV?$nsTSubstring@D@@W4FindFamiliesFlags@1@PAUgfxFontStyle@@PAVnsAtom@@N@Z
+?FindAndAddFamilies@gfxPlatformFontList@@UAE_NW4StyleGenericFontFamily@mozilla@@ABV?$nsTSubstring@D@@PAV?$nsTArray@UFamilyAndGeneric@@@@W4FindFamiliesFlags@1@PAUgfxFontStyle@@PAVnsAtom@@N@Z
+?InitializeFamily@gfxPlatformFontList@@QAE_NPAUFamily@fontlist@mozilla@@_N@Z
+??0?$nsTAutoStringN@D$0EA@@@QAE@XZ
+??0Config@AudioNetworkAdaptorImpl@webrtc@@QAE@XZ
+?PushGroupAndCopyBackground@gfxContext@@QAEXW4gfxContentType@@MPAVSourceSurface@gfx@mozilla@@ABV?$BaseMatrix@M@45@@Z
+?EndOfBlock@BlockMeanCalculator@webrtc@@QBE_NXZ
+??0?$nsTString@D@@QAE@ABV0@@Z
+?AddFaces@Family@fontlist@mozilla@@QAEXPAVFontList@23@ABV?$nsTArray@UInitData@Face@fontlist@mozilla@@@@@Z
+?FindFaceForStyle@Family@fontlist@mozilla@@QBEPAUFace@23@PAVFontList@23@ABUgfxFontStyle@@_N@Z
+?FindAllFacesForStyle@Family@fontlist@mozilla@@QBEXPAVFontList@23@ABUgfxFontStyle@@AAV?$nsTArray@PAUFace@fontlist@mozilla@@@@_N@Z
+?AllowedSurfaceSize@Factory@gfx@mozilla@@SA_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@@Z
+??0gfxWindowsSurface@@QAE@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@W4SurfaceFormat@23@@Z
+?CheckSurfaceSize@Factory@gfx@mozilla@@SA_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HH@Z
+_moz_cairo_image_surface_create_for_data
+_moz_pixman_image_create_bits
+_pixman_image_allocate
+_cairo_mutex_initialize
+_cairo_surface_init
+?Init@gfxASurface@@IAEXPAU_cairo_surface@@_N@Z
+_moz_cairo_surface_set_user_data
+_cairo_user_data_array_set_data
+_moz_cairo_surface_set_subpixel_antialiasing
+_moz_cairo_win32_surface_get_dc
+?RecordMemoryUsed@gfxASurface@@QAEXH@Z
+?AddRef@gfxASurface@@QAEIXZ
+?CairoStatus@gfxASurface@@QAEHXZ
+?CreateDrawTarget@Factory@gfx@mozilla@@SA?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@W4BackendType@23@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@W4SurfaceFormat@23@@Z
+??0DrawTargetSkia@gfx@mozilla@@QAE@XZ
+?Init@DrawTargetSkia@gfx@mozilla@@QAE_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@W4SurfaceFormat@23@@Z
+?bytesPerPixel@SkColorInfo@@QBEHXZ
+?MakeRaster@SkSurface@@SA?AV?$sk_sp@VSkSurface@@@@ABUSkImageInfo@@IPBVSkSurfaceProps@@@Z
+?MakeAllocate@SkMallocPixelRef@@YA?AV?$sk_sp@VSkPixelRef@@@@ABUSkImageInfo@@I@Z
+?sk_malloc_flags@@YAPAXII@Z
+??0SkPixelRef@@QAE@HHPAXI@Z
+?peekPixels@SkSurface@@QAE_NPAVSkPixmap@@@Z
+?setInfo@SkBitmap@@QAE_NABUSkImageInfo@@I@Z
+?setPixelRef@SkBitmap@@QAEXV?$sk_sp@VSkPixelRef@@@@HH@Z
+?getCanvas@SkSurface@@QAEPAVSkCanvas@@XZ
+??0SkCanvas@@QAE@ABVSkBitmap@@ABVSkSurfaceProps@@@Z
+??0SkDeque@@QAE@IPAXIH@Z
+??0SkBitmapDevice@@QAE@ABVSkBitmap@@ABVSkSurfaceProps@@PAXPBV1@@Z
+??0SkBaseDevice@@QAE@ABUSkImageInfo@@ABVSkSurfaceProps@@@Z
+?reset@SkMatrix@@QAEAAV1@XZ
+?setRect@SkRasterClip@@QAE_NABUSkIRect@@@Z
+?setEmpty@SkAAClip@@QAE_NXZ
+??0SkGlyphRunListPainter@@QAE@ABVSkSurfaceProps@@W4SkColorType@@PAVSkColorSpace@@PAVSkStrikeForGPUCacheInterface@@@Z
+?contains@SkRect@@QBE_NABU1@@Z
+??0SkRasterClip@@QAE@XZ
+?onSave@SkBitmapDevice@@MAEXXZ
+?SetPermitSubpixelAA@DrawTarget@gfx@mozilla@@UAEX_N@Z
+?Init@DrawTargetSkia@gfx@mozilla@@QAE_N$$QAV?$RefPtr@VDataSourceSurface@gfx@mozilla@@@@@Z
+?clipRect@SkCanvas@@QAEXABUSkRect@@W4SkClipOp@@_N@Z
+?onClipRect@SkBitmapDevice@@MAEXABUSkRect@@W4SkClipOp@@_N@Z
+?op@SkRasterClip@@QAE_NABUSkRect@@ABVSkMatrix@@ABUSkIRect@@W4Op@SkRegion@@_N@Z
+?mapRect@SkMatrix@@QBE_NPAUSkRect@@ABU2@@Z
+?opRect@SkConservativeClip@@QAEXABUSkRect@@ABVSkMatrix@@ABUSkIRect@@W4Op@SkRegion@@_N@Z
+?drawColor@SkCanvas@@QAEXIW4SkBlendMode@@@Z
+??0SkPaint@@QAE@XZ
+?drawPaint@SkCanvas@@QAEXABVSkPaint@@@Z
+?GetInstance@SkEventTracer@@SAPAV1@XZ
+?getCategoryGroupEnabled@SkDefaultEventTracer@@EAEPBEPBD@Z
+?drawBitmapRect@SkCanvas@@QAEXABVSkBitmap@@ABUSkIRect@@ABUSkRect@@PBVSkPaint@@W4SrcRectConstraint@1@@Z
+?accessTopLayerPixels@SkCanvas@@QAEPAXPAUSkImageInfo@@PAIPAUSkIPoint@@@Z
+?ChopMonoAtY@SkCubicClipper@@SA_NQBUSkPoint@@MPAM@Z
+?onAccessPixels@SkBitmapDevice@@MAE_NPAVSkPixmap@@@Z
+?accessPixels@SkBaseDevice@@QAE_NPAVSkPixmap@@@Z
+?notifyPixelsChanged@SkPixelRef@@QAEXXZ
+?drawPaint@SkDraw@@QBEXABVSkPaint@@@Z
+??1SkPaint@@QAE@XZ
+?restore@SkCanvas@@QAEXXZ
+?onRestore@SkBitmapDevice@@MAEXXZ
+?Init@gfxFontCache@@SA?AW4nsresult@@XZ
+?AddWeakObserver@Preferences@mozilla@@SA?AW4nsresult@@PAVnsIObserver@@ABV?$nsTSubstring@D@@@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@V?$RefPtr@VgfxFontFamily@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?Release@nsSafeAboutProtocolHandler@net@mozilla@@UAGKXZ
+?GetPrefCMSOutputProfileData@gfxPlatform@@IAE?AV?$nsTArray@E@@XZ
+qcms_data_from_unicode_path
+qcms_profile_from_memory
+qcms_profile_is_bogus
+qcms_profile_precache_output_transform
+qcms_transform_data_bgra_out_lut_avx
+_ZN4qcms7iccread12profile_sRGB17h75d69ebae2a83c03E
+qcms_data_from_path
+qcms_transform_create
+?Create@MemoryPressureObserver@layers@mozilla@@SA?AU?$already_AddRefed@VMemoryPressureObserver@layers@mozilla@@@@PAVMemoryPressureListener@23@@Z
+?EnsureModuleInitialized@image@mozilla@@YA?AW4nsresult@@XZ
+?IsFollowing@AbortFollower@dom@mozilla@@QBE_NXZ
+?Release@nsSupportsCString@@UAGKXZ
+?SetData@nsSupportsCString@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Initialize@ShutdownTracker@image@mozilla@@SAXXZ
+?Initialize@DecodePool@image@mozilla@@SAXXZ
+?DetachAllSnapshots@TextDrawTarget@layout@mozilla@@UAEXXZ
+?SyncRunIfPreferred@DecodePool@image@mozilla@@QAE_NPAVIDecodingTask@23@ABV?$nsTString@D@@@Z
+?Initialize@SurfaceCache@image@mozilla@@SAXXZ
+??4SourceBufferIterator@image@mozilla@@QAEAAV012@$$QAV012@@Z
+?GlobalInit@imgLoader@@SAXXZ
+RegisterStrongAsyncMemoryReporter
+?Abort@imgFrame@image@mozilla@@QAEXXZ
+?RegisterImagesContentUsedUncompressedDistinguishedAmount@mozilla@@YA?AW4nsresult@@P6A_JXZ@Z
+?setCacheSizeLimit@SkStrikeCache@@QAEII@Z
+?InitNullMetadata@gfxPlatform@@SAXXZ
+??0ScrollSnapInfo@layers@mozilla@@QAE@XZ
+?ScalarSet@Telemetry@mozilla@@YAXW4ScalarID@12@ABV?$nsTSubstring@_S@@@Z
+?Set@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@ABV?$nsTSubstring@_S@@@Z
+?GetContentBackend@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetIsHeadless@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetMonitors@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?NewArrayObject@JS@@YAPAVJSObject@@PAUJSContext@@I@Z
+?JS_SetElement@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$Handle@VValue@JS@@@3@@Z
+?GetFeatures@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?GetLayersBackendName@layers@mozilla@@YAPBDW4LayersBackend@12@@Z
+?DescribeFeatures@GfxInfoBase@widget@mozilla@@MAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?InitFeatureObject@GfxInfoBase@widget@mozilla@@IAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDAAVFeatureState@gfx@3@V?$MutableHandle@PAVJSObject@@@6@@Z
+?GetValue@FeatureState@gfx@mozilla@@QBE?AW4FeatureStatus@23@XZ
+?GetFailureId@FeatureState@gfx@mozilla@@QBEABV?$nsTString@D@@XZ
+?FeatureStatusToString@gfx@mozilla@@YAPBDW4FeatureStatus@12@@Z
+??4?$HashTable@V?$HashMapEntry@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@QAEAAV012@$$QAV012@@Z
+??DIter@ProfiledFrameRange@JS@@QBE?AVProfiledFrameHandle@2@XZ
+?UnwindEnvironmentToTryPc@js@@YAPAEPAVJSScript@@PBUTryNote@1@@Z
+?resetWarmUpCounterToDelayIonCompilation@JSScript@@QAEXXZ
+?setInterpreterFields@BaselineFrame@jit@js@@QAEXPAVJSScript@@PAE@Z
+?GetAndClearException@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?GetAsAString@XPCVariant@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?ConvertToAString@nsDiscriminatedUnion@@QBE?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?FissionAutostart@mozilla@@YA_NXZ
+?canInline@TrialInliner@jit@js@@SA_NPAVJSFunction@@V?$Handle@PAVJSScript@@@JS@@@Z
+?addInlinedChild@ICScript@jit@js@@QAE_NPAUJSContext@@V?$UniquePtr@VICScript@jit@js@@U?$DeletePolicy@VICScript@jit@js@@@JS@@@mozilla@@I@Z
+?addInlinedScript@InliningRoot@jit@js@@QAE_NV?$UniquePtr@VICScript@jit@js@@U?$DeletePolicy@VICScript@jit@js@@@JS@@@mozilla@@@Z
+?cloneOp@CacheIRCloner@jit@js@@QAEXW4CacheOp@23@AAVCacheIRReader@23@AAVCacheIRWriter@23@@Z
+?storeICScriptInJSContext@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+??$mozCreateComponent@VmozISandboxSettings@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?WinLaunchChild@@YAHPB_WHPAPADPAXPAPAX@Z
+?IsEnabled@LauncherRegistryInfo@mozilla@@QAE?AV?$Result@W4EnabledState@LauncherRegistryInfo@mozilla@@VWindowsError@3@@2@XZ
+?ReflectTelemetryPrefToRegistry@LauncherRegistryInfo@mozilla@@QAE?AV?$Result@UOk@mozilla@@VWindowsError@2@@2@_N@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??append@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV34@QB_WI@Z@PB_WI@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV01@IV<lambda_1>@?0??append@01@QAEAAV01@QB_WI@Z@PB_WI@Z
+?emitLoadStringLengthResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+?StackScopedClone@xpc@@YA_NPAUJSContext@@AAVStackScopedCloneOptions@1@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@5@@Z
+??0StructuredCloneHolderBase@dom@mozilla@@QAE@W4StructuredCloneScope@JS@@@Z
+?growStorageBy@?$Vector@USegment@?$BufferList@VSystemAllocPolicy@js@@@mozilla@@$00VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?Read@StructuredCloneHolderBase@dom@mozilla@@QAE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?read@JSAutoStructuredCloneBuffer@@QAE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@ABVCloneDataPolicy@4@PBUJSStructuredCloneCallbacks@@PAX@Z
+?ReadStructuredClone@@YA_NPAUJSContext@@ABVJSStructuredCloneData@@W4StructuredCloneScope@JS@@V?$MutableHandle@VValue@JS@@@4@ABVCloneDataPolicy@4@PBUJSStructuredCloneCallbacks@@PAX@Z
+?toStringDontDeflate@?$InlineCharBuffer@E@js@@QAEPAVJSString@@PAUJSContext@@IW4InitialHeap@gc@2@@Z
+?NewDenseUnallocatedArray@js@@YIPAVArrayObject@1@PAUJSContext@@IV?$Handle@PAVJSObject@@@JS@@W4NewObjectKind@1@@Z
+?AdvanceAcrossSegments@IterImpl@?$BufferList@VSystemAllocPolicy@js@@@mozilla@@QAE_NABV23@I@Z
+??$NewStringDontDeflate@$00_S@js@@YAPAVJSLinearString@@PAUJSContext@@V?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@IW4InitialHeap@gc@0@@Z
+?IsReflector@xpc@@YA_NPAVJSObject@@PAUJSContext@@@Z
+?Clear@StructuredCloneHolderBase@dom@mozilla@@QAEXXZ
+??1StructuredCloneHolderBase@dom@mozilla@@UAE@XZ
+?Stringify@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@PAVJSObject@@ABVValue@4@AAVStringBuffer@1@W4StringifyBehavior@1@@Z
+?NumberValueToStringBuffer@js@@YI_NPAUJSContext@@ABVValue@JS@@AAVStringBuffer@1@@Z
+?inflateChars@StringBuffer@js@@IAE_NXZ
+?growStorageBy@?$Vector@_S$0CA@VStringBufferAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?Release@?$AtomicRefCounted@UShareableBytes@wasm@js@@@js@@QBEXXZ
+?ParseBackReferenceIndex@RegExpParser@internal@v8@@AAE_NPAH@Z
+?Detach@CompositableHost@layers@mozilla@@UAEXPAVLayer@23@I@Z
+?skipNonScriptedJSFrames@JitFrameIter@js@@QAEXXZ
+?GetIsEnabled@xpcAccStateChangeEvent@@UAG?AW4nsresult@@PA_N@Z
+?NewStringFromLittleEndianNoGC@js@@YAPAVJSLinearString@@PAUJSContext@@VLittleEndianChars@1@IW4InitialHeap@gc@1@@Z
+?DefineIndexedDB@IndexedDatabaseManager@dom@mozilla@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CurrentGlobalOrNull@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?CreateForMainThreadJS@IDBFactory@dom@mozilla@@SA?AV?$Result@V?$RefPtr@VIDBFactory@dom@mozilla@@@@W4nsresult@@@3@PAVnsIGlobalObject@@@Z
+?GetOrCreate@IndexedDatabaseManager@dom@mozilla@@SAPAV123@XZ
+?SnappyUncompressStructuredCloneData@indexedDB@dom@mozilla@@YA?AW4nsresult@@AAVnsIInputStream@@AAVJSStructuredCloneData@@@Z
+?GetLocalizedCString@Preferences@mozilla@@SA?AW4nsresult@@PBDAAV?$nsTSubstring@D@@W4PrefValueKind@2@@Z
+??$mozCreateComponent@VnsPrefLocalizedString@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?Release@nsSupportsString@@UAGKXZ
+?QueryInterface@nsPrefLocalizedString@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?UnregisterCallback@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZABV?$nsTSubstring@D@@1W4MatchKind@12@@Z
+XPCOMService_GetStringBundleService
+??0nsStringBundleService@@QAE@XZ
+?Init@nsStringBundleService@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsStringBundleService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CreateBundle@nsStringBundleService@@UAG?AW4nsresult@@PBDPAPAVnsIStringBundle@@@Z
+?getStringBundle@nsStringBundleService@@AAEXPBDPAPAVnsIStringBundle@@@Z
+?GetAppLocaleAsLangTag@LocaleService@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?NS_NewCStringInputStream@@YA?AW4nsresult@@PAPAVnsIInputStream@@$$QAV?$nsTString@D@@@Z
+??0nsPersistentProperties@@QAE@XZ
+?Load@nsPersistentProperties@@UAG?AW4nsresult@@PAVnsIInputStream@@@Z
+?NS_NewUnicharInputStream@@YA?AW4nsresult@@PAVnsIInputStream@@PAPAVnsIUnicharInputStream@@@Z
+?Init@nsConverterInputStream@@UAG?AW4nsresult@@PAVnsIInputStream@@PBDH_S@Z
+_ZN11encoding_rs8Encoding9for_label17h2ff8368920e7ed12E
+encoding_new_decoder
+_ZN11encoding_rs8Encoding19new_variant_decoder17hdaab60e7ed0b93f7E
+_ZN11encoding_rs7Decoder3new17hc0c4d73444e8eacbE
+_ZN11encoding_rs7Decoder23max_utf16_buffer_length17h81e0b234283ab243E
+??$InsertSlotsAt@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayFallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayFallibleResult@@IIII@Z
+?ReadSegments@nsConverterInputStream@@UAG?AW4nsresult@@P6A?AW42@PAVnsIUnicharInputStream@@PAXPB_SIIPAI@Z1I3@Z
+?Read@nsConverterInputStream@@UAG?AW4nsresult@@PA_SIPAI@Z
+?NS_FillArray@@YA?AW4nsresult@@AAV?$FallibleTArray@D@@PAVnsIInputStream@@IPAI@Z
+decoder_decode_to_utf16_without_replacement
+_ZN11encoding_rs7Decoder35decode_to_utf16_without_replacement17ha0542b11ae066b4dE
+_ZN11encoding_rs5utf_834convert_utf16_to_utf8_partial_tail17h2f55e11353127c6bE
+?SegmentWriter@nsPropertiesParser@@SA?AW4nsresult@@PAVnsIUnicharInputStream@@PAXPB_SIIPAI@Z
+?ParseBuffer@nsPropertiesParser@@QAE?AW4nsresult@@PB_SI@Z
+??$Substring@_S@@YA?BV?$nsTDependentSubstring@_S@@PB_S0@Z
+?NotifyWhenScriptSafe@nsIObserverService@@QAE?AW4nsresult@@PAVnsISupports@@PBDPB_S@Z
+?Trim@?$nsTString@_S@@QAEXPBD_N11@Z
+?SetStringProperty@nsPersistentProperties@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@AAV4@@Z
+?Release@nsConverterInputStream@@UAGKXZ
+??_GnsConverterInputStream@@EAEPAXI@Z
+??1nsConverterInputStream@@EAE@XZ
+?Close@nsConverterInputStream@@UAG?AW4nsresult@@XZ
+?Close@nsStringInputStream@@UAG?AW4nsresult@@XZ
+?Release@nsPersistentProperties@@UAGKXZ
+?AddProgressListener@RemoteWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgressListener@@I@Z
+?MatchStringKey@PLDHashTable@@SA_NPBUPLDHashEntryHdr@@PBX@Z
+?GetIntrinsicSize@ImageWrapper@image@mozilla@@UAG?AW4nsresult@@PAUnsSize@@@Z
+?SetData@nsSupportsString@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetAsAString@?$Variant@V?$nsTString@_S@@$0A@@storage@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?PrincipalToPrincipalInfo@ipc@mozilla@@YA?AW4nsresult@@PAVnsIPrincipal@@PAVPrincipalInfo@12@_N@Z
+?GetIsNullPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?MaybeDestroy@PrincipalInfo@ipc@mozilla@@AAE_NW4Type@123@@Z
+?IsPrincipalInfoValid@QuotaManager@quota@dom@mozilla@@SA_NABVPrincipalInfo@ipc@4@@Z
+?CreateForWorker@IDBFactory@dom@mozilla@@SA?AV?$Result@V?$RefPtr@VIDBFactory@dom@mozilla@@@@W4nsresult@@@3@PAVnsIGlobalObject@@ABVPrincipalInfo@ipc@3@_K@Z
+?WrapObject@IDBFactory@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IDBFactory_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBFactory@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@IDBFactory_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AddRef@IDBFactory@dom@mozilla@@UAGKXZ
+?Release@IDBFactory@dom@mozilla@@UAGKXZ
+?CreateInterfaceObjects@IIRFilterNode_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$ValueToPrimitive@_K$00VBindingCallContext@dom@mozilla@@@dom@mozilla@@YA_NAAVBindingCallContext@01@V?$Handle@VValue@JS@@@JS@@PBDPA_K@Z
+?Open@IDBFactory@dom@mozilla@@QAE?AV?$RefPtr@VIDBOpenDBRequest@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@_S@@_KW4CallerType@23@AAVErrorResult@3@@Z
+??4PrincipalInfo@ipc@mozilla@@QAEAAV012@ABV012@@Z
+?PrincipalInfoToPrincipal@ipc@mozilla@@YA?AV?$Result@V?$nsCOMPtr@VnsIPrincipal@@@@W4nsresult@@@2@ABVPrincipalInfo@12@@Z
+??0PrincipalInfo@ipc@mozilla@@QAE@ABV012@@Z
+??4FactoryRequestParams@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVOpenDatabaseRequestParams@123@@Z
+??4PrincipalInfo@ipc@mozilla@@QAEAAV012@$$QAV012@@Z
+??1PrincipalInfo@ipc@mozilla@@QAE@XZ
+?GetThreadLocalForCurrentThread@BackgroundChildImpl@ipc@mozilla@@SAPAVThreadLocal@123@XZ
+?GenerateUUIDInPlace@nsUUIDGenerator@@UAG?AW4nsresult@@PAUnsID@@@Z
+??0?$LoggingIdString@$0A@@indexedDB@dom@mozilla@@QAE@ABUnsID@@@Z
+??0PBackgroundParent@ipc@mozilla@@QAE@XZ
+??0IToplevelProtocol@ipc@mozilla@@IAE@PBDW4IPCMessageStart@@W4Side@12@@Z
+??0PBackgroundChild@ipc@mozilla@@QAE@XZ
+?Open@MessageChannel@ipc@mozilla@@QAE_NPAV123@PAVnsISerialEventTarget@@W4Side@23@@Z
+??0?$DecryptingInputStream@UDummyCipherStrategy@quota@dom@mozilla@@@quota@dom@mozilla@@QAE@V?$MovingNotNull@V?$nsCOMPtr@VnsIInputStream@@@@@3@IUKeyType@DummyCipherStrategy@123@@Z
+??0PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@QAE@XZ
+?SetEventTargetForActor@IProtocol@ipc@mozilla@@QAEXPAV123@PAVnsISerialEventTarget@@@Z
+?TableToArray@ipc@mozilla@@YAXABV?$nsTHashtable@V?$nsPtrHashKey@X@@@@AAV?$nsTArray@PAX@@@Z
+?ActorAlloc@PBackgroundIDBCursorParent@indexedDB@dom@mozilla@@MAEXXZ
+?AddRef@BackgroundFactoryChild@indexedDB@dom@mozilla@@UAGKXZ
+?SendPBackgroundIDBFactoryConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPBackgroundIDBFactoryChild@indexedDB@dom@3@PAV4563@ABVLoggingInfo@563@@Z
+?SetManagerAndRegister@IProtocol@ipc@mozilla@@IAEXPAV123@@Z
+?IPDLMessage@Message@IPC@@SAPAV12@HIVHeaderFlags@12@@Z
+?Write@?$IPDLParamTraits@PAVPBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPBackgroundIDBFactoryChild@indexedDB@dom@3@@Z
+??1ScopedXREEmbed@ipc@mozilla@@QAE@XZ
+?WriteInt@Pickle@@QAE_NH@Z
+?WriteSentinel@Pickle@@QAE_NI@Z
+?Write@?$ParamTraits@UnsID@@@IPC@@SAXPAVMessage@2@ABUnsID@@@Z
+?WriteBytes@Pickle@@QAE_NPBXII@Z
+?ChannelSend@IProtocol@ipc@mozilla@@IAE_NPAVMessage@IPC@@@Z
+?Send@MessageChannel@ipc@mozilla@@QAE_NV?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@3@@Z
+?StringFromIPCMessageType@IPC@@YAPBDI@Z
+?AssertSanity@RemoteLazyInputStreamParams@ipc@mozilla@@ABEXXZ
+?Close@MessageChannel@ipc@mozilla@@QAEXXZ
+?OnMessageReceivedFromLink@MessageChannel@ipc@mozilla@@AAEX$$QAVMessage@IPC@@@Z
+??0PickleIterator@@QAE@ABVPickle@@@Z
+?ReadInt@Pickle@@QBE_NPAVPickleIterator@@PAH@Z
+??_GMessage@IPC@@UAEPAXI@Z
+?HeapValuePostWriteBarrier@JS@@YAXPAVValue@1@ABV21@1@Z
+?QueryInterface@MessageTask@MessageChannel@ipc@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetCallingLocation@nsJSUtils@@SA_NPAUJSContext@@AAV?$nsTSubstring@_S@@PAI2@Z
+?DescribeScriptedCaller@JS@@YA_NPAUJSContext@@PAVAutoFilename@1@PAI2@Z
+?scriptSource@FrameIter@js@@QBEPAVScriptSource@2@XZ
+?reset@AutoFilename@JS@@QAEXXZ
+?Run@MessageTask@MessageChannel@ipc@mozilla@@UAG?AW4nsresult@@XZ
+??0LoggingString@indexedDB@dom@mozilla@@QAE@ABV?$Optional@_K@23@@Z
+?AppendIntDec@?$nsTSubstring@D@@AAEX_K@Z
+?StopPostponingSends@MessageChannel@ipc@mozilla@@QAEXXZ
+??0?$LoggingIdString@$00@indexedDB@dom@mozilla@@QAE@XZ
+?LoggingHelper@indexedDB@dom@mozilla@@YAXPBD0ZZ
+?OnMessageReceived@PBackgroundParent@ipc@mozilla@@UAE?AW4Result@HasResultCodes@23@ABVMessage@IPC@@@Z
+??0PBackgroundIDBFactoryRequestChild@indexedDB@dom@mozilla@@QAE@XZ
+?SendPBackgroundIDBFactoryRequestConstructor@PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBFactoryRequestChild@234@PAV5234@ABVFactoryRequestParams@234@@Z
+?OnMessageReceived@PClientManagerParent@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?ReadSentinel@Pickle@@QBE_NPAVPickleIterator@@I@Z
+??4FactoryRequestParams@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVDeleteDatabaseRequestParams@123@@Z
+?Read@?$IPDLParamTraits@VWebrtcProxyConfig@net@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVWebrtcProxyConfig@net@3@@Z
+?Read@?$IPDLParamTraits@VLoggingInfo@indexedDB@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVLoggingInfo@indexedDB@dom@3@@Z
+??4OptionalFileDescriptorSet@dom@mozilla@@QAEAAV012@ABV012@@Z
+?WriteBool@Pickle@@QAE_N_N@Z
+?Read@?$ParamTraits@UnsID@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUnsID@@@Z
+?ReadInt16@Pickle@@QBE_NPAVPickleIterator@@PAF@Z
+?Read@?$IPDLParamTraits@VGMPVideoi420FrameData@gmp@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVGMPVideoi420FrameData@gmp@3@@Z
+?Advance@IterImpl@?$BufferList@VInfallibleAllocPolicy@@@mozilla@@QAEXABV23@I@Z
+?ReadBytesInto@Pickle@@QBE_NPAVPickleIterator@@PAXI@Z
+?Write@?$IPDLParamTraits@VCacheOpResult@cache@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCacheOpResult@cache@dom@3@@Z
+?Write@?$IPDLParamTraits@VPrincipalInfo@ipc@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVPrincipalInfo@23@@Z
+?EndRead@Pickle@@QBEXAAVPickleIterator@@I@Z
+?AllocPBackgroundIDBFactoryParent@BackgroundParentImpl@ipc@mozilla@@MAE?AU?$already_AddRefed@VPBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@@@ABVLoggingInfo@indexedDB@dom@3@@Z
+?AllocPBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@YA?AU?$already_AddRefed@VPBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@@@ABVLoggingInfo@123@@Z
+?OnPromptComplete@PermissionRequestHelper@indexedDB@dom@mozilla@@EAEXW4PermissionValue@PermissionRequestBase@234@@Z
+??1FactoryRequestParams@indexedDB@dom@mozilla@@QAE@XZ
+?WrapObject@IDBOpenDBRequest@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IDBOpenDBRequest_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBOpenDBRequest@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+??_GClientManagerChild@dom@mozilla@@UAEPAXI@Z
+??0PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@QAE@XZ
+?SetManagerAndRegister@IProtocol@ipc@mozilla@@IAEXPAV123@H@Z
+?CreateInterfaceObjects@IDBOpenDBRequest_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBRequest_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ActorAlloc@PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@MAEXXZ
+?GetAndResetReleaseFence@RenderCompositor@wr@mozilla@@UAE?AVFileDescriptor@ipc@3@XZ
+?RecvPAPZCTreeManagerConstructor@PCompositorBridgeParent@layers@mozilla@@MAE?AVIPCResult@ipc@3@PAVPAPZCTreeManagerParent@23@ABULayersId@23@@Z
+?UnorderedRemoveElementsAt@?$nsTArray_Impl@PAVCheckedUnsafePtrBaseCheckingEnabled@detail@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXII@Z
+?Release@ActorLifecycleProxy@ipc@mozilla@@QAGKXZ
+?Lookup@IToplevelProtocol@ipc@mozilla@@QAEPAVIProtocol@23@H@Z
+?OnMessageReceived@PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?Read@?$ParamTraits@V?$nsTSubstring@_S@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTSubstring@_S@@@Z
+?ReadBool@Pickle@@QBE_NPAVPickleIterator@@PA_N@Z
+??1?$MaybeStorage@VClonedMessageData@dom@mozilla@@$0A@@detail@mozilla@@QAE@XZ
+?Read@?$IPDLParamTraits@VClientSourceConstructorArgs@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVClientSourceConstructorArgs@dom@3@@Z
+?Read@?$IPDLParamTraits@VPrincipalInfo@ipc@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVPrincipalInfo@23@@Z
+?GetContentParent@BackgroundParent@ipc@mozilla@@SA?AU?$already_AddRefed@VContentParent@dom@mozilla@@@@PAVPBackgroundParent@23@@Z
+??0PBackgroundIDBFactoryRequestParent@indexedDB@dom@mozilla@@QAE@XZ
+?SetEventHandler@EventTarget@dom@mozilla@@IAEXPAVnsAtom@@PAVEventHandlerNonNull@23@@Z
+?GetOrCreateListenerManager@DOMEventTargetHelper@mozilla@@UAEPAVEventListenerManager@2@XZ
+??0EventListenerManager@mozilla@@QAE@PAVEventTarget@dom@1@@Z
+?SetEventHandlerInternal@EventListenerManager@mozilla@@IAEPAUListener@12@PAVnsAtom@@ABVTypedEventHandler@2@_N@Z
+?GetError@IDBRequest@dom@mozilla@@QAEPAVDOMException@23@AAVErrorResult@3@@Z
+?QueryInterface@DOMEventTargetHelper@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IsComposing@InputEvent@dom@mozilla@@QAE_NXZ
+?Release@AbortSignal@dom@mozilla@@UAGKXZ
+?AddRef@ContentPermissionRequestBase@dom@mozilla@@UAGKXZ
+?Root@cycleCollection@EventListenerManager@mozilla@@UAGXPAX@Z
+?EventListenerAdded@DOMEventTargetHelper@mozilla@@UAEXPAVnsAtom@@@Z
+?MaybeUpdateKeepAlive@DOMEventTargetHelper@mozilla@@IAEXXZ
+??0nsTerminator@mozilla@@QAE@XZ
+?QueryInterface@nsTerminator@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Accumulate@Telemetry@mozilla@@YAXW4HistogramID@12@I@Z
+?CreateInstance@nsToolkitProfileFactory@@UAG?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?ApplyResetProfile@nsToolkitProfileService@@QAE?AW4nsresult@@PAVnsIToolkitProfile@@@Z
+?GetSpoofedCode@nsRFPService@mozilla@@SA_NPBVDocument@dom@2@PBVWidgetKeyboardEvent@2@AAV?$nsTSubstring@_S@@@Z
+?InitPrefs@FilePreferences@mozilla@@YAXXZ
+??0nsCommandLine@@QAE@XZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAV?$nsTAutoJSString@_S@@@?$nsTArray_Impl@V?$nsTString@_S@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@_S@@AAV?$nsTAutoJSString@_S@@@Z
+?SaveEnvVarsForPotentialRestart@AppShutdown@mozilla@@SAXXZ
+?MakeCommandLine@mozilla@@YA?AV?$UniquePtr@$$BY0A@_WV?$DefaultDelete@$$BY0A@_W@mozilla@@@1@HPBQB_WH0@Z
+?Finish@Timers@telemetry@mozilla@@QAEHPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@PAVJSObject@@@JS@@1_N@Z
+?TimeElapsed@Timers@telemetry@mozilla@@QAEHPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@PAVJSObject@@@JS@@1_N@Z
+?Accumulate@TelemetryHistogram@@YA?AW4nsresult@@PBDI@Z
+?emitRegExpPrototypeOptimizableResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?branchIfNotRegExpPrototypeOptimizable@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?emitRegExpInstanceOptimizableResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0@Z
+?branchIfNotRegExpInstanceOptimizable@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?loadStringChar@MacroAssembler@jit@js@@QAEXURegister@23@000PAVLabel@23@@Z
+?boundsCheck32PowerOfTwo@MacroAssembler@jit@js@@QAEXURegister@23@IPAVLabel@23@@Z
+?andl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?CreateInterfaceObjects@console_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?freeSlot@NativeObject@js@@QAEXPAUJSContext@@I@Z
+?emitGuardFunctionHasJitEntry@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@_N@Z
+?emitGuardNotClassConstructor@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+??0ConsoleCounterError@dom@mozilla@@QAE@XZ
+??$FindEnumStringIndex@$00@dom@mozilla@@YA_NAAVBindingCallContext@01@V?$Handle@VValue@JS@@@JS@@PBUEnumEntry@01@PBD3PAH@Z
+?JS_GetLatin1StringCharsAndLength@@YAPBEPAUJSContext@@ABVAutoRequireNoGC@JS@@PAVJSString@@PAI@Z
+?CreateInstance@Console@dom@mozilla@@SA?AU?$already_AddRefed@VConsoleInstance@dom@mozilla@@@@ABVGlobalObject@23@ABUConsoleInstanceOptions@23@@Z
+?RequestAborted@U2F@dom@mozilla@@UAEXAB_KABW4nsresult@@@Z
+?WrapObject@ConsoleInstance@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ConsoleInstance_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVConsoleInstance@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ConsoleInstance_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Release@AbortController@dom@mozilla@@UAGKXZ
+?GetHistogramById@TelemetryHistogram@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?SetPrivate@JS@@YAXPAVJSObject@@PAX@Z
+?Alloc@nsStringBuffer@@SA?AU?$already_AddRefed@VnsStringBuffer@@@@I@Z
+?tryAttachStub@OptimizeSpreadCallIRGenerator@jit@js@@QAE?AW4AttachDecision@23@XZ
+?emitStringSplitStringResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@0I@Z
+?trace@?$RootedTraceable@U?$ValueArray@$01@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?TraceValueArray@js@@YAXPAVJSTracer@@IPAVValue@JS@@@Z
+?trace@?$RootedTraceable@VPropertyResult@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+??$CallTraceMethod@VAbstractGeneratorObject@js@@@js@@YAXPAVJSTracer@@PAVJSObject@@@Z
+?trace@AbstractGeneratorObject@js@@QAEXPAVJSTracer@@@Z
+?ParseUnicodeEscape@RegExpParser@internal@v8@@AAE_NPAH@Z
+?JS_IsTypedArrayObject@@YA_NPAVJSObject@@@Z
+?trace@?$RootedTraceable@V?$Maybe@VValue@JS@@@mozilla@@@js@@UAEXPAVJSTracer@@PBD@Z
+?NS_strlen@@YAIPB_S@Z
+??$PostWriteElementBarrier@$0A@@jit@js@@YAXPAUJSRuntime@@PAVJSObject@@H@Z
+?allocateCellSet@WholeCellBuffer@StoreBuffer@gc@js@@AAEPAVArenaCellSet@34@PAVArena@34@@Z
+?nsPipeConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@LoadContextInfoFactory@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@LoadContextInfoFactory@net@mozilla@@UAGKXZ
+?GetDefault@LoadContextInfoFactory@net@mozilla@@UAG?AW4nsresult@@PAPAVnsILoadContextInfo@@@Z
+?GetLoadContextInfo@net@mozilla@@YAPAVLoadContextInfo@12@_NABVOriginAttributes@2@@Z
+?Release@LoadContextInfo@net@mozilla@@UAGKXZ
+??0CacheStorageService@net@mozilla@@QAE@XZ
+?QueryInterface@CacheStorageService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@CacheStorageService@net@mozilla@@UAGKXZ
+?IsOnManagementThread@CacheStorageService@net@mozilla@@SA_NXZ
+??0CacheStorage@net@mozilla@@QAE@PAVnsILoadContextInfo@@_N111@Z
+?GetLoadContextInfo@net@mozilla@@YAPAVLoadContextInfo@12@PAVnsILoadContextInfo@@@Z
+?DefaultInterface@nsSimpleArrayEnumerator@@UAEABUnsID@@XZ
+?GetIsAnonymous@LoadContextInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?QueryInterface@CacheStorage@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@CacheStorage@net@mozilla@@UAGKXZ
+?CreateNewURI@nsAboutProtocolHandler@net@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV6@@Z
+?SetSpec@Mutator@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?Create@?$BaseURIMutator@VnsSimpleURI@net@mozilla@@@@MAEPAVnsSimpleURI@net@mozilla@@XZ
+??0nsSimpleURI@net@mozilla@@IAE@XZ
+?SetSpecInternal@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?net_FilterAndEscapeURI@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@IAAV2@@Z
+?NS_EscapeAndFilterURL@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@IPBV?$array@_N$0IA@@std@@AAV2@ABUnothrow_t@4@@Z
+?GetSpecIgnoringRef@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?SetQuery@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?NS_EscapeURL@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@IAAV2@ABUnothrow_t@std@@@Z
+?SetRef@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Release@Mutator@nsSimpleURI@net@mozilla@@UAGKXZ
+?GetPathQueryRef@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsSimpleNestedURI@net@mozilla@@UAGKXZ
+?AsyncOpenURI@CacheStorage@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@ABV?$nsTSubstring@D@@IPAVnsICacheEntryOpenCallback@@@Z
+?NS_GetURIWithoutRef@@YA?AW4nsresult@@PAVnsIURI@@PAPAV2@@Z
+?NS_GetURIWithNewRef@@YA?AW4nsresult@@PAVnsIURI@@ABV?$nsTSubstring@D@@PAPAV2@@Z
+?GetHasRef@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetRef@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAsciiSpec@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetSpec@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AddStorageEntry@CacheStorageService@net@mozilla@@AAE?AW4nsresult@@PBVCacheStorage@23@ABV?$nsTSubstring@D@@1_NPAPAVCacheEntryHandle@23@@Z
+?AppendKeyPrefix@CacheFileUtils@net@mozilla@@YAXPAVnsILoadContextInfo@@AAV?$nsTSubstring@D@@@Z
+?GetIsPrivate@LoadContextInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?AddStorageEntry@CacheStorageService@net@mozilla@@AAE?AW4nsresult@@ABV?$nsTSubstring@D@@00_N111PAPAVCacheEntryHandle@23@@Z
+??0CacheEntry@net@mozilla@@QAE@ABV?$nsTSubstring@D@@00_N11@Z
+?RecordMemoryOnlyEntry@CacheStorageService@net@mozilla@@AAEXPAVCacheEntry@23@_N1@Z
+?HashingKey@CacheEntry@net@mozilla@@QBE?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?NewHandle@CacheEntry@net@mozilla@@QAEPAVCacheEntryHandle@23@XZ
+?Release@CacheEntry@net@mozilla@@UAGKXZ
+?AsyncOpen@CacheEntry@net@mozilla@@QAEXPAVnsICacheEntryOpenCallback@@I@Z
+?QueryInterface@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?HasEntry@CacheIndex@net@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PAW4EntryStatus@123@ABV?$function@$$A6AXPBVCacheIndexEntry@net@mozilla@@@Z@std@@@Z
+?DoomFileByKey@CacheFileIOManager@net@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PAVCacheFileIOListener@23@@Z
+?IOTarget@CacheFileIOManager@net@mozilla@@SA?AU?$already_AddRefed@VnsIEventTarget@@@@XZ
+?Dispatch@CacheStorageService@net@mozilla@@QAE?AW4nsresult@@PAVnsIRunnable@@@Z
+?IOThread@CacheFileIOManager@net@mozilla@@SA?AU?$already_AddRefed@VCacheIOThread@net@mozilla@@@@XZ
+?Dispatch@CacheIOThread@net@mozilla@@QAE?AW4nsresult@@PAVnsIRunnable@@I@Z
+?Release@CacheEntryHandle@net@mozilla@@UAGKXZ
+?AddValue@CachePerfStats@CacheFileUtils@net@mozilla@@SAXW4EDataType@1234@I_N@Z
+?KeyMatchesLoadContextInfo@CacheFileUtils@net@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsILoadContextInfo@@PA_N@Z
+?ParseKey@CacheFileUtils@net@mozilla@@YA?AU?$already_AddRefed@VnsILoadContextInfo@@@@ABV?$nsTSubstring@D@@PAV5@1@Z
+?MarkShapeFromJit@jit@js@@YAXPAUJSRuntime@@PAPAVShape@2@@Z
+?ReadChar@?$TTokenizer@D@mozilla@@QAE_NP6A_ND@ZPAD@Z
+?Rebind@?$nsTDependentSubstring@D@@QAEXPBDI@Z
+??4OriginAttributesDictionary@dom@mozilla@@QAEAAU012@ABU012@@Z
+?OnMemoryConsumptionChange@CacheStorageService@net@mozilla@@AAEXPAVCacheMemoryConsumer@23@I@Z
+?Hash@CacheHash@net@mozilla@@SAIPBDII@Z
+??0Token@?$TokenizerBase@D@mozilla@@QAE@XZ
+?Check@?$TTokenizer@D@mozilla@@QAE_NW4TokenType@?$TokenizerBase@D@2@AAVToken@42@@Z
+??$ReadInteger@_J@?$TTokenizer@D@mozilla@@QAE_NPA_J@Z
+?AsInteger@Token@?$TokenizerBase@D@mozilla@@QBE_KXZ
+?ReadUntil@?$TTokenizer@D@mozilla@@QAE_NABVToken@?$TokenizerBase@D@2@AAV?$nsTSubstring@D@@W4ClaimInclusion@12@@Z
+?ReadUntil@?$TTokenizer@D@mozilla@@QAE_NABVToken@?$TokenizerBase@D@2@AAV?$nsTDependentSubstring@D@@W4ClaimInclusion@12@@Z
+?Next@?$TTokenizer@D@mozilla@@QAE_NAAVToken@?$TokenizerBase@D@2@@Z
+?Equals@Token@?$TokenizerBase@D@mozilla@@QBE_NABV123@@Z
+?Claim@?$TTokenizer@D@mozilla@@QAEXAAV?$nsTDependentSubstring@D@@W4ClaimInclusion@12@@Z
+??1?$nsTArray_Impl@V?$UniquePtr@VToken@?$TokenizerBase@D@mozilla@@V?$DefaultDelete@VToken@?$TokenizerBase@D@mozilla@@@3@@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?AsyncDoom@CacheEntry@net@mozilla@@QAE?AW4nsresult@@PAVnsICacheEntryDoomCallback@@@Z
+?NewWriteHandle@CacheEntry@net@mozilla@@QAEPAVCacheEntryHandle@23@XZ
+?SizeOfIncludingThis@CacheFileIOManager@net@mozilla@@SAIP6AIPBX@Z@Z
+?CreateInterfaceObjects@URL_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?fun_toString@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?ConstructException@XPCConvert@@SA?AW4nsresult@@W42@PBD11PAVnsISupports@@PAPAVException@dom@mozilla@@PAUJSContext@@PAVValue@JS@@@Z
+?HasEmptyQueue@SpeechSynthesis@dom@mozilla@@QBE_NXZ
+?RegExpMatcher@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetOpenerWindow@nsSharePicker@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?NS_NewBufferedInputStream@@YA?AV?$Result@V?$nsCOMPtr@VnsIInputStream@@@@W4nsresult@@@mozilla@@U?$already_AddRefed@VnsIInputStream@@@@I@Z
+?RegisterEntry@CacheStorageService@net@mozilla@@AAEXPAVCacheEntry@23@@Z
+?CacheQueueSize@CacheStorageService@net@mozilla@@SAI_N@Z
+?emitCallRegExpTesterResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VStringOperandId@23@VInt32OperandId@23@@Z
+?RegExpTesterRaw@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSString@@@4@HPAH@Z
+?takeOwnership@ByteArray@internal@v8@@QAE?AV?$UniquePtr@VByteArrayData@internal@v8@@UFreePolicy@JS@@@mozilla@@PAVIsolate@23@@Z
+?PostWriteBarrier@jit@js@@YAXPAUJSRuntime@@PAUCell@gc@2@@Z
+?IndexToString@js@@YAPAVJSLinearString@@PAUJSContext@@I@Z
+?emitLoadFunctionNameResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?loadFunctionName@MacroAssembler@jit@js@@QAEXURegister@23@0VImmGCPtr@23@PAVLabel@23@@Z
+?GetRemoteAgentHandler@@YA?AU?$already_AddRefed@VnsICommandLineHandler@@@@XZ
+_ZN5xpcom8services15get_RemoteAgent17h0f5dade10498d44cE
+XPCOMService_GetRemoteAgent
+_ZN5xpcom8services19get_ObserverService17h802d90aa003f33e6E
+?QueryInterface@nsFxrCommandLineHandler@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Handle@nsFxrCommandLineHandler@@UAG?AW4nsresult@@PAVnsICommandLine@@@Z
+?emitCallRegExpMatcherResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VStringOperandId@23@VInt32OperandId@23@@Z
+?ToString@nsStringBuffer@@QAEXIAAV?$nsTSubstring@_S@@_N@Z
+?NewFileURI@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@PAPAVnsIURI@@@Z
+?SetFile@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@PAVnsIFile@@@Z
+?SetFile@nsStandardURL@net@mozilla@@AAE?AW4nsresult@@PAVnsIFile@@@Z
+?net_GetURLSpecFromFile@@YA?AW4nsresult@@PAVnsIFile@@AAV?$nsTSubstring@D@@@Z
+?Last@?$nsTStringRepr@D@detail@mozilla@@QBEDXZ
+?RegExpMatcherRaw@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSString@@@4@HPAVMatchPairs@1@V?$MutableHandle@VValue@JS@@@4@@Z
+?Accept@RegExpCapture@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?CaptureRegisters@RegExpCapture@internal@v8@@UAE?AVInterval@23@XZ
+?ToNode@RegExpCapture@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?ClearCaptures@ActionNode@internal@v8@@SAPAV123@VInterval@23@PAVRegExpNode@23@@Z
+?Accept@RegExpText@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?ClearRegisters@RegExpBytecodeGenerator@internal@v8@@UAEXHH@Z
+?createMatchResultTemplateObject@RegExpRealm@js@@AAEPAVArrayObject@2@PAUJSContext@@@Z
+?NewDenseFullyAllocatedArrayWithTemplate@js@@YAPAVArrayObject@1@PAUJSContext@@IPAV21@@Z
+?emitStringReplaceStringResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@00@Z
+?str_replace_string_raw@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@11@Z
+?StringToLowerCase@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@@Z
+?IsPrivateBrowsing@OriginAttributes@mozilla@@SA_NABV?$nsTSubstring@D@@@Z
+??0NullHttpChannel@net@mozilla@@QAE@XZ
+?Equals@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PA_N@Z
+??0Iterator@PLDHashTable@@AAE@ABV01@@Z
+?QueryInterface@nsSupportsString@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsWindowMediator@@QAE@XZ
+?Init@nsWindowMediator@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsWindowMediator@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?HasMoreElements@nsAppShellWindowEnumerator@@UAG?AW4nsresult@@PA_N@Z
+?GetLength@nsArrayBase@@UAG?AW4nsresult@@PAI@Z
+?GetEntryGlobal@dom@mozilla@@YAPAVnsIGlobalObject@@XZ
+?Tokenize@WindowFeatures@dom@mozilla@@QAE_NABV?$nsTSubstring@D@@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@V?$nsTString@D@@V1@@mozilla@@UMapHashPolicy@?$HashMap@V?$nsTString@D@@V1@U?$DefaultHasher@V?$nsTString@D@@X@mozilla@@VMallocAllocPolicy@3@@2@VMallocAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?IsSpecialName@nsContentUtils@@SA_NABV?$nsTSubstring@_S@@@Z
+?has@?$HashMap@V?$nsTString@D@@V1@U?$DefaultHasher@V?$nsTString@D@@X@mozilla@@VMallocAllocPolicy@3@@mozilla@@QBE_NABV?$nsTString@D@@@Z
+?ParseBool@WindowFeatures@dom@mozilla@@CA_NABV?$nsTString@D@@@Z
+??$ParseHTMLIntegerImpl@V?$nsTSubstring@D@@@nsContentUtils@@CAHABV?$nsTSubstring@D@@PAW4ParseHTMLIntegerResultFlags@0@@Z
+??RnsGetInterface@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsAppShellService@@QAE@XZ
+?Release@nsAppShellService@@UAGKXZ
+?Destroy@AppWindow@mozilla@@UAG?AW4nsresult@@XZ
+?RecordOnce@StartupTimeline@mozilla@@SAXW4Event@12@ABVTimeStamp@2@@Z
+?IsAppLocaleRTL@LocaleService@intl@mozilla@@QAE_NXZ
+unic_langid_is_rtl
+_ZN16unic_langid_impl18LanguageIdentifier19character_direction17h2f1d22b540fa5c92E
+?CreateTopLevelWindow@nsIWidget@@SA?AU?$already_AddRefed@VnsIWidget@@@@XZ
+?Release@nsNativeThemeWin@@WHA@AGKXZ
+??0nsBaseWidget@@QAE@XZ
+??0nsWinGesture@@QAE@XZ
+??0WinPointerEvents@@QAE@XZ
+?RegisterAppUserModelID@WinTaskbar@widget@mozilla@@SA_NXZ
+?GetAppUserModelID@WinTaskbar@widget@mozilla@@SA_NAAV?$nsTSubstring@_S@@@Z
+?GetRegistryKey@WinUtils@widget@mozilla@@SA_NPAUHKEY__@@Vchar16ptr_t@@1PA_WK@Z
+?GetInstance@KeyboardLayout@widget@mozilla@@SAPAV123@XZ
+?GetInstance@nsUserIdleService@@KA?AU?$already_AddRefed@VnsUserIdleService@@@@XZ
+??0nsUserIdleService@@IAE@XZ
+?SetDefaultTooltip@nsCanvasFrame@@UAEXPAVElement@dom@mozilla@@@Z
+?AddIdleObserver@nsUserIdleService@@UAG?AW4nsresult@@PAVnsIObserver@@I@Z
+?QueryInterface@nsUserIdleService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsBaseClipboard@@UAGKXZ
+?LoadLayout@KeyboardLayout@widget@mozilla@@AAEXPAUHKL__@@@Z
+??_GnsWindow@@MAEPAXI@Z
+?Initialize@MouseScrollHandler@widget@mozilla@@SAXXZ
+?SynthesizeNativeMouseScrollEvent@MouseScrollHandler@widget@mozilla@@SA?AW4nsresult@@PAVnsWindowBase@@ABU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@3@IHII@Z
+?HasRegistryKey@WinUtils@widget@mozilla@@SA_NPAUHKEY__@@Vchar16ptr_t@@@Z
+?UpdateNativeThemeInfo@nsUXThemeData@@SAXXZ
+?IsAppThemed@nsUXThemeData@@SA_NXZ
+?ShouldEnableInkCollector@WinPointerEvents@@QAE_NXZ
+?GetDefaultScale@nsIWidget@@QAE?AU?$ScaleFactor@UCSSPixel@mozilla@@ULayoutDevicePixel@2@@gfx@mozilla@@XZ
+?GetDefaultScaleInternal@nsWindow@@UAENXZ
+?AddRef@PuppetWidget@widget@mozilla@@UAGKXZ
+?SetAnimationElement@SMILAnimationFunction@mozilla@@QAEXPAVSVGAnimationElement@dom@2@@Z
+?Create@nsIWidget@@UAE?AW4nsresult@@PAV1@PAXABU?$IntRectTyped@UDesktopPixel@mozilla@@@gfx@mozilla@@PAUnsWidgetInitData@@@Z
+?GetDesktopToDeviceScale@nsWindow@@UAE?AU?$ScaleFactor@UDesktopPixel@mozilla@@ULayoutDevicePixel@2@@gfx@mozilla@@XZ
+?SendAnAPZEvent@nsWindow@@QAEXAAVInputData@mozilla@@@Z
+?BaseCreate@nsBaseWidget@@IAEXPAVnsIWidget@@PAUnsWidgetInitData@@@Z
+?NonClientDpiScalingDefWindowProcW@WinUtils@widget@mozilla@@SGJPAUHWND__@@IIJ@Z
+?RegisterNotification@InputDeviceUtils@widget@mozilla@@SAPAXPAUHWND__@@@Z
+?SetNSWindowBasePtr@WinUtils@widget@mozilla@@SA_NPAUHWND__@@PAVnsWindowBase@@@Z
+_snwprintf
+?Init@IMEContext@widget@mozilla@@QAEXPAVnsWindowBase@@@Z
+?GetNativeData@nsWindow@@UAEPAXI@Z
+?InitInputContext@IMEHandler@widget@mozilla@@SAXPAVnsWindow@@AAUInputContext@23@@Z
+?DestroyCompositorWindow@WinCompositorWindowThread@widget@mozilla@@SAXUWinCompositorWnds@23@@Z
+?Initialize@TSFTextStore@widget@mozilla@@SAXXZ
+?ShouldSetInputScopeOfURLBarToDefault@TSFTextStore@widget@mozilla@@SA_NXZ
+?SetInputContext@TSFTextStore@widget@mozilla@@SAXPAVnsWindowBase@@ABUInputContext@23@ABUInputContextAction@23@@Z
+?Initialize@IMMHandler@widget@mozilla@@SAXXZ
+?UpdateTitlebarInfo@nsUXThemeData@@SAXPAUHWND__@@@Z
+??0DirectManipulationOwner@widget@mozilla@@QAE@PAVnsWindow@@@Z
+?Init@DirectManipulationOwner@widget@mozilla@@QAEXABU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@3@@Z
+?SetContact@DirectManipulationOwner@widget@mozilla@@QAEXI@Z
+??_ECompositorWidgetParent@widget@mozilla@@WBM@AEPAXI@Z
+?GetClientBounds@nsWindow@@UAE?AU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@XZ
+?GetTopLevelWindow@nsWindow@@QAEPAV1@_N@Z
+?CreateIndependent@BrowsingContext@dom@mozilla@@SA?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@W4Type@123@@Z
+?CreateDetached@BrowsingContext@dom@mozilla@@SA?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@PAVnsGlobalWindowInner@@PAV123@PAVBrowsingContextGroup@23@ABV?$nsTSubstring@_S@@W4Type@123@_N@Z
+?GetChromeGroup@BrowsingContextGroup@dom@mozilla@@SAPAV123@XZ
+?GetOrCreate@BrowsingContextGroup@dom@mozilla@@SA?AU?$already_AddRefed@VBrowsingContextGroup@dom@mozilla@@@@_K@Z
+?Create@ThrottledEventQueue@mozilla@@SA?AU?$already_AddRefed@VThrottledEventQueue@mozilla@@@@PAVnsISerialEventTarget@@PBDI@Z
+?GenerateBrowserId@nsContentUtils@@SA_KXZ
+??0BaseFieldValues@BrowsingContext@dom@mozilla@@QAE@$$QAU0123@@Z
+?GetID@RequestContext@net@mozilla@@UAE_KXZ
+?s_InitEntry@?$nsTHashtable@V?$nsRefPtrHashKey@VnsIWeakReference@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?AddRef@CanonicalBrowsingContext@dom@mozilla@@UAGKXZ
+?Attach@BrowsingContext@dom@mozilla@@AAEX_NPAVContentParent@23@@Z
+?Create@nsDocShell@@SA?AU?$already_AddRefed@VnsDocShell@@@@PAVBrowsingContext@dom@mozilla@@_K@Z
+?GenerateWindowId@nsContentUtils@@SA_KXZ
+?InitWithBrowsingContext@nsDocLoader@@QAE?AW4nsresult@@PAVBrowsingContext@dom@mozilla@@@Z
+?InitWithRequestContextId@nsLoadGroup@net@mozilla@@QAE?AW4nsresult@@AB_K@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint64HashKey@@PAVCompositableClient@layers@mozilla@@@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?MaybeCloseWindow@MaybeCloseWindowHelper@@QAEPAVBrowsingContext@dom@mozilla@@XZ
+?ServiceWorkerParentInterceptEnabled@dom@mozilla@@YA_NXZ
+?AddDocLoaderAsChildOfRoot@nsDocLoader@@SA?AW4nsresult@@PAV1@@Z
+?NameEquals@nsDocShell@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PA_N@Z
+?GetInterface@nsDocLoader@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetLoadingSessionHistoryInfo@nsDocShellLoadState@@QAEXABULoadingSessionHistoryInfo@dom@mozilla@@@Z
+?GetUsePrivateBrowsing@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetBrowsingContext@nsDocShell@@UAEPAVBrowsingContext@dom@mozilla@@XZ
+?SetDefaultLoadFlags@nsLoadGroup@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetTreeOwner@nsDocShell@@UAG?AW4nsresult@@PAVnsIDocShellTreeOwner@@@Z
+?InitWindow@nsDocShell@@UAG?AW4nsresult@@PAXPAVnsIWidget@@HHHH@Z
+?Initialize@nsDocShell@@QAE_NXZ
+?PickerClosed@nsWindow@@QAEXXZ
+?Release@CanonicalBrowsingContext@dom@mozilla@@UAGKXZ
+?SetPrivateBrowsing@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@_N@Z
+?ReadStructuredClone@BrowsingContext@dom@mozilla@@SAPAVJSObject@@PAUJSContext@@PAUJSStructuredCloneReader@@PAVStructuredCloneHolder@23@@Z
+?SetRemoteTabs@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetRemoteSubframes@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@_N@Z
+?SubjectPrincipal@nsContentUtils@@SAPAVnsIPrincipal@@XZ
+?IsExpandedPrincipal@nsContentUtils@@SA_NPAVnsIPrincipal@@@Z
+?CreateAboutBlankContentViewer@nsDocShell@@AAE?AW4nsresult@@PAVnsIPrincipal@@0PAVnsIContentSecurityPolicy@@PAVnsIURI@@ABV?$Maybe@W4CrossOriginEmbedderPolicy@nsILoadInfo@@@mozilla@@_N4PAVWindowGlobalChild@dom@7@@Z
+??0nsDOMNavigationTiming@@QAE@PAVnsDocShell@@@Z
+??4?$WeakPtr@VnsDocShell@@$0A@@mozilla@@QAEAAV01@PBVnsDocShell@@@Z
+?NotifyNavigationStart@nsDOMNavigationTiming@@QAEXW4DocShellState@1@@Z
+?FindInternalContentViewer@nsContentUtils@@SA?AU?$already_AddRefed@VnsIDocumentLoaderFactory@@@@ABV?$nsTSubstring@D@@PAW4ContentViewerType@1@@Z
+?EnsureScriptEnvironment@nsDocShell@@QAE?AW4nsresult@@XZ
+?Create@nsGlobalWindowOuter@@SA?AU?$already_AddRefed@VnsGlobalWindowOuter@@@@PAVnsDocShell@@_N@Z
+?GetContentLength@nsJARChannel@@UAG?AW4nsresult@@PA_J@Z
+?GetChromeEventHandler@nsDocShell@@UAG?AW4nsresult@@PAPAVEventTarget@dom@mozilla@@@Z
+?NS_NewWindowRoot@@YA?AU?$already_AddRefed@VEventTarget@dom@mozilla@@@@PAVnsPIDOMWindowOuter@@@Z
+?GetIsActive@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?NS_IsOffline@@YA_NXZ
+?GetConnectivity@nsIOService@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?EnsureScriptEnvironment@nsGlobalWindowOuter@@UAE?AW4nsresult@@XZ
+??0nsJSContext@@QAE@_NPAVnsIScriptGlobalObject@@@Z
+?CreateSource@ClientManager@dom@mozilla@@SA?AV?$UniquePtr@VClientSource@dom@mozilla@@V?$DefaultDelete@VClientSource@dom@mozilla@@@3@@3@W4ClientType@23@PAVnsISerialEventTarget@@PAVnsIPrincipal@@@Z
+?GetPreloadCspInfo@ClientInfo@dom@mozilla@@QBEABV?$Maybe@VCSPInfo@ipc@mozilla@@@3@XZ
+??0PClientManagerChild@dom@mozilla@@QAE@XZ
+?SendPClientManagerConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPClientManagerChild@dom@3@PAV453@@Z
+?SendPTemporaryIPCBlobConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPTemporaryIPCBlobChild@dom@3@PAV453@@Z
+?Write@?$IPDLParamTraits@PAVPClientManagerChild@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPClientManagerChild@dom@3@@Z
+??0ClientSource@dom@mozilla@@AAE@PAVClientManager@12@PAVnsISerialEventTarget@@ABVClientSourceConstructorArgs@12@@Z
+??0ClientInfo@dom@mozilla@@QAE@ABUnsID@@W4ClientType@12@ABVPrincipalInfo@ipc@2@ABVTimeStamp@2@@Z
+?GetOrCreateInstance@ClientManagerService@dom@mozilla@@SA?AU?$already_AddRefed@VClientManagerService@dom@mozilla@@@@XZ
+??0?$Maybe_CopyMove_Enabler@VCSPInfo@ipc@mozilla@@$0A@$00$00@detail@mozilla@@QAE@ABV012@@Z
+?Activate@ClientSource@dom@mozilla@@AAEXPAVPClientManagerChild@23@@Z
+??1ClientState@dom@mozilla@@QAE@XZ
+?AllocPClientSourceChild@ClientManagerChild@dom@mozilla@@EAEPAVPClientSourceChild@23@ABVClientSourceConstructorArgs@23@@Z
+??0PClientSourceChild@dom@mozilla@@QAE@XZ
+?SendPClientSourceConstructor@PClientManagerChild@dom@mozilla@@QAEPAVPClientSourceChild@23@PAV423@ABVClientSourceConstructorArgs@23@@Z
+?Read@?$IPDLParamTraits@VClientOpConstructorArgs@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVClientOpConstructorArgs@dom@3@@Z
+?Write@?$IPDLParamTraits@PAVPClientSourceChild@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPClientSourceChild@dom@3@@Z
+?SendPClientHandleConstructor@PClientManagerChild@dom@mozilla@@QAEPAVPClientHandleChild@23@ABVIPCClientInfo@23@@Z
+?Write@?$IPDLParamTraits@VClientSourceConstructorArgs@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVClientSourceConstructorArgs@dom@3@@Z
+?WriteInt64@Pickle@@QAE_N_J@Z
+?DocShellExecutionReady@ClientSource@dom@mozilla@@QAE?AW4nsresult@@PAVnsIDocShell@@@Z
+?GetWindow@nsDocShell@@UAEPAVnsPIDOMWindowOuter@@XZ
+?ClientMatchPrincipalInfo@dom@mozilla@@YA_NABVPrincipalInfo@ipc@2@0@Z
+mozurl_new
+_ZN3url12ParseOptions5parse17h0ed12773f42cba98E
+_ZN3url6parser12default_port17h7eb4d7918f88d6a7E
+_ZN3url6parser10SchemeType4from17hd1f020f8c4d28770E
+?AllocPClientManagerParent@BackgroundParentImpl@ipc@mozilla@@MAEPAVPClientManagerParent@dom@3@XZ
+?AllocClientManagerParent@dom@mozilla@@YAPAVPClientManagerParent@12@XZ
+_ZN3url6parser6Parser10parse_path17h9af1fda4c68f08e6E
+??0PClientManagerParent@dom@mozilla@@QAE@XZ
+_ZN90_$LT$percent_encoding..PercentEncode$u20$as$u20$core..iter..traits..iterator..Iterator$GT$4next17hb56cafac0bebc68eE
+mozurl_scheme
+?LowerCaseEqualsASCII@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBDI@Z
+mozurl_release
+?SendExecutionReady@PClientSourceChild@dom@mozilla@@QAE_NABVClientSourceExecutionReadyArgs@23@@Z
+??1ClientManagerParent@dom@mozilla@@UAE@XZ
+?AllManagedActors@PClientSourceChild@dom@mozilla@@UBEXAAV?$nsTArray@V?$RefPtr@VActorLifecycleProxy@ipc@mozilla@@@@@@@Z
+?CreateBlankDocument@nsContentDLF@@SA?AU?$already_AddRefed@VDocument@dom@mozilla@@@@PAVnsILoadGroup@@PAVnsIPrincipal@@1PAVnsDocShell@@@Z
+??0?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@IAE@PBD_N@Z
+?NS_NewHTMLDocument@@YA?AW4nsresult@@PAPAVDocument@dom@mozilla@@_N@Z
+??0Document@dom@mozilla@@IAE@PBD@Z
+?Dispatch@SchedulerGroup@mozilla@@SA?AW4nsresult@@W4TaskCategory@2@$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+?Shutdown@Document@dom@mozilla@@SAXXZ
+?LookupCharSet@nsLanguageAtomService@@QAE?AU?$already_AddRefed@VnsAtom@@@@V?$NotNull@PBVEncoding@mozilla@@@mozilla@@@Z
+encoding_name
+?ThenInternal@?$MozPromise@_NW4nsresult@@$00@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@_NW4nsresult@@$00@mozilla@@@@PBD@Z
+?RecvPClientManagerConstructor@BackgroundParentImpl@ipc@mozilla@@MAE?AVIPCResult@23@PAVPClientManagerParent@dom@3@@Z
+?InitClientManagerParent@dom@mozilla@@YAXPAVPClientManagerParent@12@@Z
+?Init@nsHTMLDocument@@UAE?AW4nsresult@@XZ
+?Init@Document@dom@mozilla@@UAE?AW4nsresult@@XZ
+?CreateSlots@nsINode@@MAEPAVnsSlots@1@XZ
+?AdjustIterators@nsTObserverArray_base@@IAEXIH@Z
+??0nsNodeInfoManager@@QAE@XZ
+?Init@nsNodeInfoManager@@QAE?AW4nsresult@@PAVDocument@dom@mozilla@@@Z
+?GetDocumentNodeInfo@nsNodeInfoManager@@QAE?AU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@XZ
+?GetNodeInfo@nsNodeInfoManager@@QAE?AU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@PAVnsAtom@@0HG0@Z
+?AddRef@Document@dom@mozilla@@UAGKXZ
+??0NodeInfo@dom@mozilla@@AAE@PAVnsAtom@@0HG0PAVnsNodeInfoManager@@@Z
+?SetOrientationLock@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@I@Z
+?Release@Document@dom@mozilla@@UAGKXZ
+??0Loader@css@mozilla@@QAE@PAVDocument@dom@2@@Z
+?Create@SharedStyleSheetCache@mozilla@@CA?AU?$already_AddRefed@VSharedStyleSheetCache@mozilla@@@@XZ
+?Release@SharedStyleSheetCache@mozilla@@UAGKXZ
+?ReadInt64@Pickle@@QBE_NPAVPickleIterator@@PA_J@Z
+?RegisterLoader@SharedStyleSheetCache@mozilla@@QAEXAAVLoader@css@2@@Z
+?RecvTeardown@ClientManagerParent@dom@mozilla@@EAE?AVIPCResult@ipc@3@XZ
+??_GnsComputedDOMStyle@@EAEPAXI@Z
+?GetChildID@BackgroundParent@ipc@mozilla@@SA_KPAVPBackgroundParent@23@@Z
+??0ScriptLoader@dom@mozilla@@QAE@PAVDocument@12@@Z
+??0ClientSourceParent@dom@mozilla@@QAE@ABVClientSourceConstructorArgs@12@ABV?$Maybe@V?$IdType@VContentParent@dom@mozilla@@@dom@mozilla@@@2@@Z
+??0PClientSourceParent@dom@mozilla@@QAE@XZ
+?RecvPClientSourceConstructor@ClientManagerParent@dom@mozilla@@EAE?AVIPCResult@ipc@3@PAVPClientSourceParent@23@ABVClientSourceConstructorArgs@23@@Z
+?Init@ClientSourceParent@dom@mozilla@@QAEXXZ
+?AddSource@ClientManagerService@dom@mozilla@@QAE_NPAVClientSourceParent@23@@Z
+?Observe@AsyncCompileShutdownObserver@dom@mozilla@@UAG?AW4nsresult@@PAVnsISupports@@PBDPB_S@Z
+?OnMessageReceived@PClientSourceParent@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?Release@AsyncCompileShutdownObserver@dom@mozilla@@UAGKXZ
+?AddRef@ImageData@dom@mozilla@@UAGKXZ
+??0FeaturePolicy@dom@mozilla@@QAE@PAVnsINode@@@Z
+??0ServoStyleSet@mozilla@@QAE@AAVDocument@dom@1@@Z
+?Initialize@PreferenceSheet@mozilla@@CAXXZ
+?SizeOfExcludingThis@MediaQueryList@dom@mozilla@@QBEIP6AIPBX@Z@Z
+?GetInt@LookAndFeel@mozilla@@SA?AW4nsresult@@W4IntID@12@PAH@Z
+??0nsLookAndFeel@@QAE@XZ
+?Read@?$IPDLParamTraits@VClientSourceExecutionReadyArgs@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVClientSourceExecutionReadyArgs@dom@3@@Z
+?RecvTeardown@ClientSourceParent@dom@mozilla@@EAE?AVIPCResult@ipc@3@XZ
+?Init@nsXPLookAndFeel@@QAEXXZ
+?NotifyChangedAllWindows@LookAndFeel@mozilla@@SAXW4ThemeChangeKind@widget@2@@Z
+?AreFlatMenusEnabled@nsUXThemeData@@SA_NXZ
+Servo_ComputeColor
+Servo_SelectorList_Drop
+_ZN9cssparser6parser11ParserInput3new17hed69c824aaa25afbE
+_ZN79_$LT$style..values..specified..color..Color$u20$as$u20$style..parser..Parse$GT$5parse17hc8d344326cb740ffE
+_ZN9cssparser6parser6Parser4next17h70c4cdcaacf0e6f4E
+_ZN9cssparser9tokenizer9Tokenizer15skip_whitespace17he88134668a5d4257E
+_ZN9cssparser6parser6Parser38next_including_whitespace_and_comments17hbe95f9756b77b01fE
+_ZN9cssparser9tokenizer10next_token17hdbb25146891f3245E
+_ZN5style6values9specified5color5Color17to_computed_color17hbcf6844d9c870f7eE
+_ZN5style6values8computed5color92_$LT$impl$u20$style..values..generics..color..GenericColor$LT$cssparser..color..RGBA$GT$$GT$7to_rgba17h033a781ca31ebd54E
+_ZN10webrtc_sdp10media_type8SdpMedia8get_port17h44ed462108e021f5E
+?NS_ComposeColors@@YAIII@Z
+?GetColor@LookAndFeel@mozilla@@SA?AW4nsresult@@W4StyleSystemColor@2@PAI@Z
+?SetCache@LookAndFeel@mozilla@@SAXABVLookAndFeelCache@widget@2@@Z
+??0nsDragService@@QAE@XZ
+?RecordTelemetry@nsXPLookAndFeel@@IAEXXZ
+?GetCMSMode@gfxPlatform@@SA?AW4eCMSMode@@XZ
+?Set@TelemetryScalar@@YAXW4ScalarID@Telemetry@mozilla@@ABV?$nsTSubstring@_S@@_N@Z
+Servo_StyleSet_Init
+_ZN5style5gecko4data20PerDocumentStyleData3new17hb1668dc7628e5b99E
+_ZN202_$LT$$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$..synthesize_presentational_hints_for_legacy_attributes..SVG_TEXT_DISABLE_ZOOM_RULE$u20$as$u20$core..ops..deref..Deref$GT$5deref17h2db8f484bfd8b6f9E
+??0nsStyleBackground@@QAE@ABVDocument@dom@mozilla@@@Z
+?Initialize@Layer@nsStyleImageLayers@@QAEXW4LayerType@2@@Z
+??0nsStyleBorder@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleDisplay@@QAE@ABVDocument@dom@mozilla@@@Z
+?assign_with_AddRef@?$RefPtr@VnsAtom@@@@AAEXPAVnsAtom@@@Z
+??0nsStyleColumn@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleContent@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleEffects@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleFont@@QAE@ABVDocument@dom@mozilla@@@Z
+?GetFontPrefsForLang@StaticPresData@mozilla@@QAEPBULangGroupFontPrefs@2@PAVnsAtom@@PA_N@Z
+?GetUncachedLanguageGroup@nsLanguageAtomService@@QBEPAVnsStaticAtom@@PAVnsAtom@@@Z
+?ToUTF8String@nsAtom@@QBEXAAV?$nsTSubstring@D@@@Z
+?Initialize@LangGroupFontPrefs@mozilla@@QAEXPAVnsStaticAtom@@@Z
+?ComputeInvalidationRegionDifference@nsDisplayItem@@QBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemBoundsGeometry@@PAVnsRegion@@@Z
+??0nsFont@@QAE@ABU0@@Z
+?GetLanguageForStyle@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsAtom@@@@XZ
+?GetContentLanguageAsAtomForStyle@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsAtom@@@@XZ
+?StripWhitespace@?$nsTString@_S@@QAEXXZ
+?IsChromeDoc@nsContentUtils@@SA_NPBVDocument@dom@mozilla@@@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@$$CBURawServoStyleRule@@@@V?$WeakPtr@VCSSStyleRule@dom@mozilla@@$0A@@mozilla@@@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+??0nsStyleVisibility@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleSVG@@QAE@ABVDocument@dom@mozilla@@@Z
+Servo_StyleArcSlice_EmptyPtr
+_ZN84_$LT$style_traits..arc_slice..EMPTY_ARC_SLICE$u20$as$u20$core..ops..deref..Deref$GT$5deref17h0be5aad541ba998eE
+_ZN73_$LT$smallbitvec..SmallBitVec$u20$as$u20$malloc_size_of..MallocSizeOf$GT$7size_of17hb64cb58562194792E
+??0?$StyleGenericCrossFadeImage@U?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@QAE@ABU01@@Z
+??0nsStyleTableBorder@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleText@@QAE@ABVDocument@dom@mozilla@@@Z
+?ShouldUseChromePrefs@PreferenceSheet@mozilla@@SA_NABVDocument@dom@2@@Z
+??0nsStyleUI@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleList@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleMargin@@QAE@ABVDocument@dom@mozilla@@@Z
+?ZoomText@nsStyleFont@@SA?AUStyleCSSPixelLength@mozilla@@ABVDocument@dom@3@U23@@Z
+??0nsStyleOutline@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStylePadding@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStylePosition@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleSVGReset@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleTextReset@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleUIReset@@QAE@ABVDocument@dom@mozilla@@@Z
+??0nsStyleXUL@@QAE@ABVDocument@dom@mozilla@@@Z
+?QueryInterface@Document@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ReplaceLiteral@?$nsTSubstring@D@@IAIXIIPBDI@Z
+?Release@Mutator@nsNestedAboutURI@net@mozilla@@UAGKXZ
+?QueryInterface@Mutator@nsNestedAboutURI@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?InitWithBase@Mutator@nsNestedAboutURI@net@mozilla@@EAG?AW4nsresult@@PAVnsIURI@@0@Z
+??0nsSimpleNestedURI@net@mozilla@@IAE@PAVnsIURI@@@Z
+?SetSpec@Mutator@nsNestedAboutURI@net@mozilla@@EAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetQuery@nsSimpleNestedURI@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+??0NS_MutateURI@@QAE@PAVnsIURI@@@Z
+?Mutate@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURIMutator@@@Z
+?Clone@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@PAPAVnsIURI@@@Z
+?CloneInternal@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@W4RefHandlingEnum@123@ABV?$nsTSubstring@D@@PAPAVnsIURI@@@Z
+?StartClone@nsSimpleURI@net@mozilla@@MAEPAV123@W4RefHandlingEnum@123@ABV?$nsTSubstring@D@@@Z
+?SetQuery@Mutator@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetRef@nsSimpleNestedURI@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetRef@Mutator@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+??_GnsSimpleURI@net@mozilla@@MAEPAXI@Z
+?Finalize@Mutator@nsNestedAboutURI@net@mozilla@@EAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?ResetToURI@nsHTMLDocument@@UAEXPAVnsIURI@@PAVnsILoadGroup@@PAVnsIPrincipal@@2@Z
+?ResetToURI@Document@dom@mozilla@@UAEXPAVnsIURI@@PAVnsILoadGroup@@PAVnsIPrincipal@@2@Z
+?IsVisibleConsideringAncestors@Document@dom@mozilla@@QBE_NXZ
+?ShouldIncludeInTelemetry@Document@dom@mozilla@@QAE_N_N@Z
+?EndUpdate@Document@dom@mozilla@@QAEXXZ
+?RemoveScriptBlocker@nsContentUtils@@SAXXZ
+?ClearAdoptedStyleSheets@DocumentOrShadowRoot@dom@mozilla@@IAEXXZ
+??0nsHTMLStyleSheet@@QAE@PAVDocument@dom@mozilla@@@Z
+?CancelLoadsForLoader@SharedStyleSheetCache@mozilla@@QAEXAAVLoader@css@2@@Z
+??1?$nsTArray_Impl@V?$RefPtr@VSheetLoadData@css@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?UnregisterLoader@SharedStyleSheetCache@mozilla@@QAEXAAVLoader@css@2@@Z
+?SetDocumentPrincipal@nsNodeInfoManager@@IAEXPAVnsIPrincipal@@@Z
+?QueryInterface@NullPrincipal@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ComputePrincipal@ContentBlockingAllowList@mozilla@@SAXPAVnsIPrincipal@@PAPAV3@@Z
+?SetDocumentURI@Document@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?IsChromeURI@dom@mozilla@@YA_NPAVnsIURI@@@Z
+?SchemeIs@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@PBDPA_N@Z
+?ApplySettingsFromCSP@Document@dom@mozilla@@QAEX_N@Z
+?GetInstance@ThirdPartyUtil@@SAPAV1@XZ
+?GetBaseDomain@ThirdPartyUtil@@UAG?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetBaseDomain@nsEffectiveTLDService@@UAG?AW4nsresult@@PAVnsIURI@@IAAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsNestedAboutURI@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsSimpleNestedURI@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetInnermostURI@nsSimpleNestedURI@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?NS_DoImplGetInnermostURI@@YA?AW4nsresult@@PAVnsINestedURI@@PAPAVnsIURI@@@Z
+?GetInnerURI@nsSimpleNestedURI@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetAsciiHost@NullPrincipalURI@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?SetPrincipals@Document@dom@mozilla@@QAEXPAVnsIPrincipal@@0_N@Z
+?SchemeIs@BasePrincipal@mozilla@@UAG?AW4nsresult@@PBDPA_N@Z
+?SetContentTypeInternal@Document@dom@mozilla@@IAEXABV?$nsTSubstring@D@@@Z
+?SetContainer@Document@dom@mozilla@@UAEXPAVnsDocShell@@@Z
+?EnumerateActivityObservers@Document@dom@mozilla@@QAEXV?$FunctionRef@$$A6AXPAVnsISupports@@@Z@3@@Z
+?GetIsActiveBrowserWindow@BrowsingContext@dom@mozilla@@QAE_NXZ
+?TopCrossChromeBoundary@CanonicalBrowsingContext@dom@mozilla@@QAE?AU?$already_AddRefed@VCanonicalBrowsingContext@dom@mozilla@@@@XZ
+?GetParentCrossChromeBoundary@CanonicalBrowsingContext@dom@mozilla@@QAE?AU?$already_AddRefed@VCanonicalBrowsingContext@dom@mozilla@@@@XZ
+?ASCIIToUpper@nsContentUtils@@SAXABV?$nsTSubstring@_S@@AAV2@@Z
+?NS_NewHTMLSharedElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Allocate@nsNodeInfoManager@@QAEPAXI@Z
+?GetDocGroupOrCreate@Document@dom@mozilla@@QAEPAVDocGroup@23@XZ
+?CrossOriginIsolated@BrowsingContext@dom@mozilla@@QAE_NXZ
+?GetSiteOrigin@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetOriginNoSuffix@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AddDocument@BrowsingContextGroup@dom@mozilla@@QAE?AU?$already_AddRefed@VDocGroup@dom@mozilla@@@@ABV?$nsTSubstring@D@@PAVDocument@23@@Z
+?Create@DocGroup@dom@mozilla@@SA?AU?$already_AddRefed@VDocGroup@dom@mozilla@@@@PAVBrowsingContextGroup@23@ABV?$nsTSubstring@D@@@Z
+?GenerateUUID@nsContentUtils@@SA?AUnsID@@XZ
+??0PerformanceCounter@mozilla@@QAE@ABV?$nsTSubstring@D@@@Z
+?AddDocument@DocGroup@dom@mozilla@@QAEXPAVDocument@23@@Z
+?AddRef@HTMLButtonElement@dom@mozilla@@UAGKXZ
+NS_CycleCollectorSuspectUsingNursery
+?NS_NewHTMLBodyElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?InsertChildBefore@Document@dom@mozilla@@UAE?AW4nsresult@@PAVnsIContent@@0_N@Z
+?GetRootElementInternal@Document@dom@mozilla@@IBEPAVElement@23@XZ
+?InsertChildBefore@nsINode@@UAE?AW4nsresult@@PAVnsIContent@@0_N@Z
+?SetOpenInParentProcess@HTMLSelectElement@dom@mozilla@@QAEX_N@Z
+?BindToTree@nsGenericHTMLElement@@UAE?AW4nsresult@@AAUBindContext@dom@mozilla@@AAVnsINode@@@Z
+?BindToTree@Element@dom@mozilla@@UAE?AW4nsresult@@AAUBindContext@23@AAVnsINode@@@Z
+?SetDirOnBind@mozilla@@YAXPAVElement@dom@1@PAVnsIContent@@@Z
+?UpdateEditableState@nsGenericHTMLElement@@UAEX_N@Z
+?Audio@HTMLAudioElement@dom@mozilla@@SA?AU?$already_AddRefed@VHTMLAudioElement@dom@mozilla@@@@ABVGlobalObject@23@ABV?$Optional@V?$nsTSubstring@_S@@@23@AAVErrorResult@3@@Z
+?ForceMapped@AttrArray@@QAE?AW4nsresult@@PAVnsMappedAttributeElement@@PAVDocument@dom@mozilla@@@Z
+?GetAttributeMappingFunction@HTMLBodyElement@dom@mozilla@@UBEP6AXPBVnsMappedAttributes@@AAVMappedDeclarations@3@@ZXZ
+??2nsMappedAttributes@@SAPAXII@Z
+??0nsMappedAttributes@@QAE@PAVnsHTMLStyleSheet@@P6AXPBV0@AAVMappedDeclarations@mozilla@@@Z@Z
+?SetTo@nsAttrName@@QAEXPAVNodeInfo@dom@mozilla@@@Z
+?ClearMappedServoStyle@AttrArray@@QAEXXZ
+?UniqueMappedAttributes@nsHTMLStyleSheet@@QAE?AU?$already_AddRefed@VnsMappedAttributes@@@@PAVnsMappedAttributes@@@Z
+?IsNamedFamily@FontFamilyName@mozilla@@QBE_NABV?$nsTSubstring@_S@@@Z
+?HashValue@nsMappedAttributes@@QBEIXZ
+?SetDocumentCharacterSet@Document@dom@mozilla@@QAEXV?$NotNull@PBVEncoding@mozilla@@@3@@Z
+?GetLocaleLanguage@nsLanguageAtomService@@QAEPAVnsAtom@@XZ
+?GetRegionalPrefsLocales@OSPreferences@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?ReadRegionalPrefsLocales@OSPreferences@intl@mozilla@@AAE_NAAV?$nsTArray@V?$nsTString@D@@@@@Z
+?Release@DocumentFragment@dom@mozilla@@UAGKXZ
+?SetBaseURI@Document@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?CreateInstanceForDocument@nsContentDLF@@UAG?AW4nsresult@@PAVnsISupports@@PAVDocument@dom@mozilla@@PBDPAPAVnsIContentViewer@@@Z
+?NS_NewContentViewer@@YA?AU?$already_AddRefed@VnsIContentViewer@@@@XZ
+?LoadStart@nsDocumentViewer@@UAEXPAVDocument@dom@mozilla@@@Z
+?SetContainer@nsDocumentViewer@@UAG?AW4nsresult@@PAVnsIDocShell@@@Z
+?SyncParentSubDocMap@nsDocumentViewer@@AAE?AW4nsresult@@XZ
+?SetTitle@nsDocShell@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetPostDataFromCurrentEntry@nsDocShell@@QBE?AU?$already_AddRefed@VnsIInputStream@@@@XZ
+?DestroyChildren@nsDocLoader@@MAEXXZ
+?ClearIterators@nsTObserverArray_base@@IAEXXZ
+?SetNavigationTiming@nsDocumentViewer@@UAEXPAVnsDOMNavigationTiming@@@Z
+?SetNavigationTiming@Document@dom@mozilla@@QAEXPAVnsDOMNavigationTiming@@@Z
+?Init@nsDocumentViewer@@UAG?AW4nsresult@@PAVnsIWidget@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@PAVWindowGlobalChild@dom@6@@Z
+?InitInternal@nsDocumentViewer@@AAE?AW4nsresult@@PAVnsIWidget@@PAVnsISupports@@PAVWindowGlobalChild@dom@mozilla@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@7@_N44@Z
+?AddScriptBlocker@nsContentUtils@@SAXXZ
+?GetTopLevelWidget@nsBaseWidget@@UAEPAVnsIWidget@@XZ
+??0nsDeviceContext@@QAE@XZ
+?Init@nsDeviceContext@@QAE?AW4nsresult@@PAVnsIWidget@@@Z
+?FontMetricsDeleted@nsDeviceContext@@QAE?AW4nsresult@@PBVnsFontMetrics@@@Z
+?GetWidgetScreen@nsBaseWidget@@UAE?AU?$already_AddRefed@VnsIScreen@@@@XZ
+?GetRectDisplayPix@Screen@widget@mozilla@@UAG?AW4nsresult@@PAH000@Z
+?GetDpi@Screen@widget@mozilla@@UAG?AW4nsresult@@PAM@Z
+??0nsRootPresContext@@QAE@PAVDocument@dom@mozilla@@W4nsPresContextType@nsPresContext@@@Z
+??0nsPresContext@@QAE@PAVDocument@dom@mozilla@@W4nsPresContextType@0@@Z
+?Init@nsPresContext@@QAE?AW4nsresult@@PAVnsDeviceContext@@@Z
+?SetFullZoom@nsDeviceContext@@QAE_NM@Z
+??0EventStateManager@mozilla@@QAE@XZ
+?EncodeInto@TextEncoder@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@PAVJSString@@@JS@@ABU?$TypedArray@E$1?UnwrapUint8Array@js@@YAPAVJSObject@@PAV3@@Z$1?JS_GetUint8ArrayData@@YAPAE0PA_NABVAutoRequireNoGC@JS@@@Z$1?GetUint8ArrayLengthAndData@2@YAX0PAI1PAPAE@Z$1?JS_NewUint8Array@@YAPAV3@PAUJSContext@@I@Z@23@AAUTextEncoderEncodeIntoResult@23@AAVOOMReporter@3@@Z
+??0nsRefreshDriver@@QAE@PAVnsPresContext@@@Z
+??4?$WeakPtr@VnsPresContext@@$0A@@mozilla@@QAEAAV01@PBVnsPresContext@@@Z
+?Init@EventStateManager@mozilla@@QAE?AW4nsresult@@XZ
+?IsChrome@nsPresContext@@QBE_NXZ
+??0nsViewManager@@QAE@XZ
+?Init@nsViewManager@@QAE?AW4nsresult@@PAVnsDeviceContext@@@Z
+?CreateView@nsViewManager@@QAEPAVnsView@@ABUnsRect@@PAV2@W4nsViewVisibility@@@Z
+?SetPosition@nsView@@QAEXHH@Z
+?AttachToTopLevelWidget@nsView@@QAE?AW4nsresult@@PAVnsIWidget@@@Z
+?AttachViewToTopLevel@nsBaseWidget@@UAEX_N@Z
+?SetAttachedWidgetListener@nsBaseWidget@@UAEXPAVnsIWidgetListener@@@Z
+?AsyncEnableDragDrop@nsBaseWidget@@UAE?AW4nsresult@@_N@Z
+?NS_DispatchToCurrentThreadQueue@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@IW4EventQueuePriority@mozilla@@@Z
+?QueryInterface@IdleRunnable@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??_GIdleTaskManager@mozilla@@UAEPAXI@Z
+?Release@PuppetWidget@widget@mozilla@@UAGKXZ
+?CalcWidgetBounds@nsView@@QAE?AU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@W4nsWindowType@@@Z
+?SetRootView@nsViewManager@@QAEXPAVnsView@@@Z
+?CreateWidgetForParent@nsView@@QAE?AW4nsresult@@PAVnsIWidget@@PAUnsWidgetInitData@@_N2@Z
+?GetInterface@nsDocShell@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsGlobalWindowOuter@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetInitialPrincipalToSubject@nsGlobalWindowOuter@@UAEXPAVnsIContentSecurityPolicy@@ABV?$Maybe@W4CrossOriginEmbedderPolicy@nsILoadInfo@@@mozilla@@@Z
+?WouldReuseInnerWindow@nsGlobalWindowOuter@@QAE_NPAVDocument@dom@mozilla@@@Z
+?AncestorsAreCurrent@BrowsingContext@dom@mozilla@@QBE_NXZ
+?GetParentOuter@nsGlobalWindowOuter@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@dom@mozilla@@XZ
+?SetCurrentInnerWindowId@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@_K@Z
+?AttachKeyHandler@RootWindowGlobalKeyListener@mozilla@@SAXPAVEventTarget@dom@2@@Z
+?DispatchEvent@DOMEventTargetHelper@mozilla@@UAE_NAAVEvent@dom@2@W4CallerType@42@AAVErrorResult@2@@Z
+?HasNonSystemGroupListenersForUntrustedKeyEvents@EventTarget@dom@mozilla@@QBE_NXZ
+?AddEventListenerByType@EventListenerManager@mozilla@@QAEXPAVnsIDOMEventListener@@ABV?$nsTSubstring@_S@@ABUEventListenerFlags@2@@Z
+?AddEventListenerByType@EventListenerManager@mozilla@@QAEXV?$CallbackObjectHolder@VEventListener@dom@mozilla@@VnsIDOMEventListener@@@dom@2@ABV?$nsTSubstring@_S@@ABUEventListenerFlags@2@ABV?$Optional@_N@42@@Z
+?GetEventMessageAndAtomForListener@nsContentUtils@@SA?AW4EventMessage@mozilla@@ABV?$nsTSubstring@_S@@PAPAVnsAtom@@@Z
+?AddScriptRunner@nsContentUtils@@SAXU?$already_AddRefed@VnsIRunnable@@@@@Z
+?MaybeRestoreWindowName@nsDocShell@@QAEXXZ
+?Create@nsGlobalWindowInner@@SA?AU?$already_AddRefed@VnsGlobalWindowInner@@@@PAVnsGlobalWindowOuter@@_NPAVWindowGlobalChild@dom@mozilla@@@Z
+??0TimeoutManager@dom@mozilla@@QAE@AAVnsGlobalWindowInner@@I@Z
+?IsBackgroundInternal@nsGlobalWindowInner@@ABE_NXZ
+?trace@?$RootedDictionary@UReceiveMessageArgument@dom@mozilla@@@dom@mozilla@@UAEXPAVJSTracer@@@Z
+?GetOrCreate@StorageNotifierService@dom@mozilla@@SAPAV123@XZ
+?AllocPBackgroundSessionStorageManagerParent@dom@mozilla@@YA?AU?$already_AddRefed@VPBackgroundSessionStorageManagerParent@dom@mozilla@@@@AB_K@Z
+?Register@StorageNotifierService@dom@mozilla@@QAEXPAVStorageNotificationObserver@23@@Z
+?SetActiveLoadingState@nsGlobalWindowInner@@UAEX_N@Z
+?Commit@?$Transaction@VBrowsingContext@dom@mozilla@@@syncedcontext@dom@mozilla@@QAE?AW4nsresult@@PAVBrowsingContext@34@@Z
+?AddRef@nsDocShell@@WBAM@AGKXZ
+?IsSharedMemoryAllowed@nsGlobalWindowInner@@UBE_NXZ
+?setExistingCompartment@RealmCreationOptions@JS@@QAEAAV12@PAVJSObject@@@Z
+?InitGlobalObjectOptions@xpc@@YAXAAVRealmOptions@JS@@PAVnsIPrincipal@@@Z
+?Wrap@Window_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsGlobalWindowInner@@PAVnsWrapperCache@@AAVRealmOptions@JS@@PAUJSPrincipals@@_NV?$MutableHandle@PAVJSObject@@@8@@Z
+?firstGlobal@Compartment@JS@@QBEAAVGlobalObject@js@@XZ
+?AddRef@nsGlobalWindowInner@@UAGKXZ
+?PostCreateGlobal@CreateGlobalOptionsWithXPConnect@dom@mozilla@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@Window_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Call@PromiseDocumentFlushedCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?Create@WindowNamedPropertiesHandler@dom@mozilla@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?NewSingletonProxyObject@js@@YAPAVJSObject@@PAUJSContext@@PBVBaseProxyHandler@1@V?$Handle@VValue@JS@@@JS@@PAV2@ABVProxyOptions@1@@Z
+?NewSingleton@ProxyObject@js@@SAPAV12@PAUJSContext@@PBVBaseProxyHandler@2@V?$Handle@VValue@JS@@@JS@@VTaggedProto@2@PBUJSClass@@@Z
+?IsPrivilegedChromeWindow@nsGlobalWindowInner@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?WindowOrNull@xpc@@YAPAVnsGlobalWindowInner@@PAVJSObject@@@Z
+?ObjectPrincipal@nsContentUtils@@SAPAVnsIPrincipal@@PAVJSObject@@@Z
+?DefineIfEnabled@WebIDLGlobalNameHash@dom@mozilla@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$MutableHandle@UPropertyDescriptor@JS@@@6@PA_N@Z
+?dom_enable_window_print@StaticPrefs@mozilla@@YA_NXZ
+?IsRequestIdleCallbackEnabled@nsGlobalWindowInner@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?IsChromeOrUAWidget@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?dom_window_event_enabled@StaticPrefs@mozilla@@YA_NXZ
+?browser_cache_offline_enable@StaticPrefs@mozilla@@YA_NXZ
+?dom_mozPaintCount_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ContentPropertyEnabled@nsGlobalWindowInner@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?IsSystemCaller@nsContentUtils@@SA_NPAUJSContext@@@Z
+?dom_vr_enabled@StaticPrefs@mozilla@@YA_NXZ
+?dom_paintWorklet_enabled@StaticPrefs@mozilla@@YA_NXZ
+?dom_visualviewport_enabled@StaticPrefs@mozilla@@YA_NXZ
+?dom_input_events_beforeinput_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@FormDataEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?dom_select_events_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@PointerEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?security_webauth_u2f@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@SpeechSynthesisErrorEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?LegacyTouchAPIEnabled@nsGenericHTMLElement@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?LegacyAPIEnabled@TouchEvent@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?PrefEnabled@TouchEvent@dom@mozilla@@SA_NPAVnsIDocShell@@@Z
+?TargetTouches@TouchEvent@dom@mozilla@@QAEPAVTouchList@23@XZ
+?IsTouchDeviceSupportPresent@WidgetUtils@widget@mozilla@@SAIXZ
+?IsTouchDeviceSupportPresent@WinUtils@widget@mozilla@@SAIXZ
+?AsyncPanZoomEnabled@gfxPlatform@@SA_NXZ
+?ConstructorEnabled@CacheStorage_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?MaybeCreateDoc@nsPIDOMWindowInner@@IAEXXZ
+?GetDocument@nsDocShell@@UAEPAVDocument@dom@mozilla@@XZ
+?GetPerformance@nsPIDOMWindowInner@@QAEPAVPerformance@dom@mozilla@@XZ
+?SetLocationForGlobal@xpc@@YAXPAVJSObject@@PAVnsIURI@@@Z
+?TryToCacheTopInnerWindow@nsPIDOMWindowInner@@QAEXXZ
+?GetInProcessScriptableTop@nsGlobalWindowOuter@@UAEPAVnsPIDOMWindowOuter@@XZ
+?GetInProcessScriptableParent@nsGlobalWindowOuter@@UAEPAVnsPIDOMWindowOuter@@XZ
+?NewSingleton@Wrapper@js@@SAPAVJSObject@@PAUJSContext@@PAV3@PBV12@ABVWrapperOptions@2@@Z
+?CleanUpDanglingRemoteOuterWindowProxies@BrowsingContext@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?RemapRemoteWindowProxies@js@@YAXPAUJSContext@@PAVCompartmentTransplantCallback@1@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?JS_MarkCrossZoneIdValue@@YAXPAUJSContext@@ABVValue@JS@@@Z
+?lookup@ObjectWrapperMap@js@@QBE?AVPtr@12@PAVJSObject@@@Z
+??0AutoDisableCompactingGC@js@@QAE@PAUJSContext@@@Z
+?SetWindowProxy@nsJSContext@@UAEXV?$Handle@PAVJSObject@@@JS@@@Z
+?GetWindowProxy@nsJSContext@@UAEPAVJSObject@@XZ
+?SetWindowProxy@js@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?setWindowProxyThisObject@LexicalEnvironmentObject@js@@QAEXPAVJSObject@@@Z
+?GetCanExecuteScripts@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+??$GenericGetter@UCrossOriginThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?Window@nsGlobalWindowInner@@QAE?AVWindowProxyHolder@dom@mozilla@@XZ
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@ABVWindowProxyHolder@12@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?SyncStateFromParentWindow@nsGlobalWindowInner@@QAEXXZ
+?IsInModalState@nsGlobalWindowOuter@@QAE_NXZ
+?SetScriptGlobalObject@Document@dom@mozilla@@UAEXPAVnsIScriptGlobalObject@@@Z
+?SendPageUseCounters@Document@dom@mozilla@@QAEXXZ
+?GetHeaderData@Document@dom@mozilla@@QBEXPAVnsAtom@@AAV?$nsTSubstring@_S@@@Z
+?SetScopeObject@Document@dom@mozilla@@QAEXPAVnsIGlobalObject@@@Z
+?GetAllowDNSPrefetch@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?GetFocusedWindow@nsFocusManager@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?InitDocumentDependentState@nsGlobalWindowInner@@IAEXPAUJSContext@@@Z
+?ClearCachedDocumentValue@Window_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsGlobalWindowInner@@@Z
+?ClearXrayExpandoSlots@xpc@@YAXPAVJSObject@@I@Z
+?WrapObject@nsINode@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?WrapNode@nsHTMLDocument@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@HTMLDocument_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsHTMLDocument@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetScopeObject@Document@dom@mozilla@@QBEPAVnsIGlobalObject@@XZ
+?Release@nsGlobalWindowInner@@WJI@AGKXZ
+?CreateInterfaceObjects@HTMLDocument_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Document_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Node_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsNotUAWidget@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?IsAOMEnabled@AccessibleNode@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?CallerIsTrustedAboutCertError@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?EqualsASCII@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBD@Z
+?CallerIsTrustedAboutNetError@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?dom_storage_access_enabled@StaticPrefs@mozilla@@YA_NXZ
+?IsWebAnimationsGetAnimationsEnabled@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?HasBoxQuadsSupport@nsINode@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?layout_css_convertFromNode_enabled@StaticPrefs@mozilla@@YA_NXZ
+?AreWebAnimationsTimelinesEnabled@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?dom_media_autoplay_autoplay_policy_api@StaticPrefs@mozilla@@YA_NXZ
+?DocumentSupportsL10n@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?IsL10nAllowed@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?IsErrorPage@nsContentUtils@@SA_NPAVnsIURI@@@Z
+?dom_security_featurePolicy_webidl_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_constructable_stylesheets_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@FontFaceSetLoadEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JS_NewObjectWithoutMetadata@@YAPAVJSObject@@PAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@@Z
+?NotifyWatchers@WatchTarget@mozilla@@IAEXXZ
+?EnsureExpandoObject@DOMProxyHandler@dom@mozilla@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?exposeToJS@?$BarrierMethods@VValue@JS@@@js@@SAXABVValue@JS@@@Z
+?JS_InitializePropertiesFromCompatibleNativeObject@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?ClearCachedPerformanceValue@Window_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsGlobalWindowInner@@@Z
+?CreateForMainThread@Performance@dom@mozilla@@SA?AU?$already_AddRefed@VPerformance@dom@mozilla@@@@PAVnsPIDOMWindowInner@@PAVnsIPrincipal@@PAVnsDOMNavigationTiming@@PAVnsITimedChannel@@@Z
+??0DOMEventTargetHelper@mozilla@@QAE@PAVnsPIDOMWindowInner@@@Z
+?CrossOriginIsolated@nsGlobalWindowInner@@UBE_NXZ
+?ResponseStart@PerformanceTiming@dom@mozilla@@QAE_KXZ
+??0PerformancePaintTiming@dom@mozilla@@QAE@PAVPerformance@12@ABV?$nsTSubstring@_S@@ABVTimeStamp@2@@Z
+?GetOrCreate@PerformanceService@dom@mozilla@@SAPAV123@XZ
+?Wrap@Performance_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPerformance@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Performance_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_enable_memory_stats@StaticPrefs@mozilla@@YA_NXZ
+?Create@WindowGlobalChild@dom@mozilla@@SA?AU?$already_AddRefed@VWindowGlobalChild@dom@mozilla@@@@PAVnsGlobalWindowInner@@@Z
+?GetPrincipal@nsGlobalWindowInner@@UAEPAVnsIPrincipal@@XZ
+?CookieJarSettings@Document@dom@mozilla@@QAEPAVnsICookieJarSettings@@XZ
+?Create@CookieJarSettings@net@mozilla@@SA?AU?$already_AddRefed@VnsICookieJarSettings@@@@XZ
+?Serialize@CookieJarSettings@net@mozilla@@QAEXAAVCookieJarSettingsArgs@23@@Z
+?GetIsOnContentBlockingAllowList@CookieJarSettings@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?HasThirdPartyChannel@Document@dom@mozilla@@QAE_NXZ
+?IsThirdPartyTrackingResourceWindow@nsContentUtils@@SA_NPAVnsPIDOMWindowInner@@@Z
+?IsSecureContext@nsGlobalWindowInner@@QBE_NXZ
+?GetSiteAutoplayPermission@AutoplayPolicy@dom@mozilla@@SAIPAVnsIPrincipal@@@Z
+XPCOMService_GetPermissionManager
+?RemoveAllFromIPC@PermissionManager@mozilla@@QAE?AW4nsresult@@XZ
+?All@?$MozPromise@_NW4nsresult@@$0A@@mozilla@@SA?AV?$RefPtr@V?$MozPromise@V?$CopyableTArray@_N@@W4nsresult@@$0A@@mozilla@@@@PAVnsISerialEventTarget@@AAV?$nsTArray@V?$RefPtr@V?$MozPromise@_NW4nsresult@@$0A@@mozilla@@@@@@@Z
+?GetPopupPermission@PopupBlocker@dom@mozilla@@SAIPAVnsIPrincipal@@@Z
+?TestPermissionFromPrincipal@PermissionManager@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@ABV?$nsTSubstring@D@@PAI@Z
+?GetShortcutsPermission@nsGlobalWindowInner@@SAIPAVnsIPrincipal@@@Z
+?Repaint@nsDocShell@@UAG?AW4nsresult@@_N@Z
+?CreateDisconnected@WindowGlobalChild@dom@mozilla@@SA?AU?$already_AddRefed@VWindowGlobalChild@dom@mozilla@@@@ABVWindowGlobalInit@23@@Z
+?GetById@WindowContext@dom@mozilla@@SA?AU?$already_AddRefed@VWindowContext@dom@mozilla@@@@_K@Z
+?CreateDisconnected@WindowGlobalParent@dom@mozilla@@SA?AU?$already_AddRefed@VWindowGlobalParent@dom@mozilla@@@@ABVWindowGlobalInit@23@_N@Z
+?Get@CanonicalBrowsingContext@dom@mozilla@@SA?AU?$already_AddRefed@VCanonicalBrowsingContext@dom@mozilla@@@@_K@Z
+??0WindowContext@dom@mozilla@@IAE@PAVBrowsingContext@12@_K1_N$$QAV?$FieldValues@UBaseFieldValues@WindowContext@dom@mozilla@@$0BE@@syncedcontext@12@@Z
+??0PWindowGlobalParent@dom@mozilla@@QAE@XZ
+?AddRef@WindowContext@dom@mozilla@@UAGKXZ
+?Deserialize@CookieJarSettings@net@mozilla@@SAXABVCookieJarSettingsArgs@23@PAPAVnsICookieJarSettings@@@Z
+??0PWindowGlobalChild@dom@mozilla@@QAE@XZ
+?AddRef@WindowGlobalParent@dom@mozilla@@UAGKXZ
+?profiler_register_page@@YAX_K0ABV?$nsTString@D@@0@Z
+?Release@WindowGlobalParent@dom@mozilla@@UAGKXZ
+?Release@WindowContext@dom@mozilla@@UAGKXZ
+?Startup@InProcessParent@dom@mozilla@@CAXXZ
+??0PInProcessParent@dom@mozilla@@QAE@XZ
+??0PInProcessChild@dom@mozilla@@QAE@XZ
+?OpenOnSameThread@IToplevelProtocol@ipc@mozilla@@QAE_NPAVMessageChannel@23@W4Side@23@@Z
+?ActorAlloc@PCanvasChild@layers@mozilla@@MAEXXZ
+?OnChannelConnected@ContentParent@dom@mozilla@@MAEXH@Z
+?OpenPBrowserEndpoint@PContentChild@dom@mozilla@@QAE?AV?$ManagedEndpoint@VPBrowserParent@dom@mozilla@@@ipc@3@PAVPBrowserChild@23@@Z
+?ActorAlloc@PAPZInputBridgeParent@layers@mozilla@@MAEXXZ
+?BindPWindowGlobalEndpoint@PInProcessParent@dom@mozilla@@QAE_NV?$ManagedEndpoint@VPWindowGlobalParent@dom@mozilla@@@ipc@3@PAVPWindowGlobalParent@23@@Z
+?ActorAlloc@PAPZInputBridgeChild@layers@mozilla@@MAEXXZ
+?Init@WindowGlobalChild@dom@mozilla@@QAEXXZ
+?Init@WindowGlobalParent@dom@mozilla@@UAEXXZ
+?Init@WindowContext@dom@mozilla@@MAEXXZ
+?GetIPCInitializer@WindowContext@dom@mozilla@@QAE?AUIPCInitializer@123@XZ
+?GetChildren@BrowsingContext@dom@mozilla@@QAEXAAV?$nsTArray@V?$RefPtr@VBrowsingContext@dom@mozilla@@@@@@@Z
+?ClearCachedChildrenValue@BrowsingContext_Binding@dom@mozilla@@YAXPAVBrowsingContext@23@@Z
+?DidBecomeCurrentWindowGlobal@WindowGlobalParent@dom@mozilla@@QAEX_N@Z
+?GetTopWindowContext@CanonicalBrowsingContext@dom@mozilla@@QAEPAVWindowGlobalParent@23@XZ
+?UpdateFocusFromBrowsingContext@BrowserParent@dom@mozilla@@SAXXZ
+?SendPasteTransferable@BrowserParent@dom@mozilla@@QAE_NABVIPCDataTransfer@23@AB_NPAVnsIPrincipal@@ABI@Z
+?IsTop@WindowContext@dom@mozilla@@QBE_NXZ
+?Commit@?$Transaction@VWindowContext@dom@mozilla@@@syncedcontext@dom@mozilla@@QAE?AW4nsresult@@PAVWindowContext@34@@Z
+?GetPermissionDelegateHandler@Document@dom@mozilla@@QAEPAVPermissionDelegateHandler@3@XZ
+??0PermissionDelegateHandler@mozilla@@QAE@PAVDocument@dom@1@@Z
+?AddRef@Accessible@a11y@mozilla@@UAGKXZ
+?Initialize@PermissionDelegateHandler@mozilla@@QAE_NXZ
+?PopulateAllDelegatedPermissions@PermissionDelegateHandler@mozilla@@QAEXXZ
+?Release@Accessible@a11y@mozilla@@UAGKXZ
+?EnsureClientSource@nsGlobalWindowInner@@IAE?AW4nsresult@@XZ
+?TakeInitialClientSource@nsDocShell@@UAE?AV?$UniquePtr@VClientSource@dom@mozilla@@V?$DefaultDelete@VClientSource@dom@mozilla@@@3@@mozilla@@XZ
+?SetCsp@ClientSource@dom@mozilla@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?SetAgentClusterId@ClientInfo@dom@mozilla@@QAEXABUnsID@@@Z
+?SendSetClientInfo@PWindowGlobalChild@dom@mozilla@@QAE_NABVIPCClientInfo@23@@Z
+??4IPCClientState@dom@mozilla@@QAEAAV012@$$QAV012@@Z
+?Write@?$IPDLParamTraits@VIPCClientInfo@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVIPCClientInfo@dom@3@@Z
+?_Growmap@?$deque@VMessage@IPC@@V?$allocator@VMessage@IPC@@@std@@@std@@IAEXI@Z
+?WindowExecutionReady@ClientSource@dom@mozilla@@QAE?AW4nsresult@@PAVnsPIDOMWindowInner@@@Z
+?IsOwnedByProcess@BrowsingContext@dom@mozilla@@QBE_NXZ
+?ShouldAllowAccessFor@ContentBlocking@mozilla@@SA_NPAVnsPIDOMWindowInner@@PAVnsIURI@@PAI@Z
+?GetIsContentPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?SaveAccessForOriginOnParentProcess@ContentBlocking@mozilla@@SA?AV?$RefPtr@V?$MozPromise@W4nsresult@@_N$00@mozilla@@@@_KPAVBrowsingContext@dom@2@PAVnsIPrincipal@@ABV?$nsTString@D@@H0@Z
+?InitUseCounters@Document@dom@mozilla@@QAEXXZ
+?Release@nsGlobalWindowInner@@UAGKXZ
+?CreatePresShell@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VPresShell@mozilla@@@@PAVnsPresContext@@PAVnsViewManager@@@Z
+??0PresShell@mozilla@@QAE@PAVDocument@dom@1@@Z
+?Singleton@GlobalStyleSheetCache@mozilla@@SAPAV12@XZ
+Gecko_Element_ImportedPart
+?XULSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?ChromePreferenceSheet@GlobalStyleSheetCache@mozilla@@QAEPAVStyleSheet@2@XZ
+??0Loader@css@mozilla@@QAE@XZ
+?LoadSheetSync@Loader@css@mozilla@@QAE?AV?$Result@V?$RefPtr@VStyleSheet@mozilla@@@@W4nsresult@@@3@PAVnsIURI@@W4SheetParsingMode@23@W4UseSystemPrincipal@123@@Z
+?IsAlternateSheet@Loader@css@mozilla@@QAE?AW4IsAlternate@LinkStyle@dom@3@ABV?$nsTSubstring@_S@@_N@Z
+?DidHitCompleteSheetCache@Loader@css@mozilla@@QAEXABVSheetLoadDataHashKey@3@PBUStyleUseCounters@@@Z
+??0StyleSheet@mozilla@@QAE@W4SheetParsingMode@css@1@W4CORSMode@1@ABVSRIMetadata@dom@1@@Z
+Servo_StyleSheet_Empty
+_ZN71_$LT$style..stylesheets..UrlExtraData$u20$as$u20$core..clone..Clone$GT$5clone17hb8619576e10339b7E
+_ZN5style11stylesheets10stylesheet18StylesheetContents8from_str17h5fe0ecbc08afaf21E
+_ZN9cssparser6parser11ParserInput27new_with_line_number_offset17h084bb833e4100a59E
+_ZN9cssparser9tokenizer9Tokenizer16skip_cdc_and_cdo17h794277eeeb6c0f10E
+?CreateForExternalCSSResources@ReferrerInfo@dom@mozilla@@SA?AU?$already_AddRefed@VnsIReferrerInfo@@@@PAVStyleSheet@3@W4ReferrerPolicy@23@@Z
+?tokenizePolicy@PolicyTokenizer@@SAXABV?$nsTSubstring@_S@@AAV?$nsTArray@V?$CopyableTArray@V?$nsTString@_S@@@@@@@Z
+?IsSafeToAcceptCORSOrMixedContent@nsHTTPSOnlyUtils@@SA_NPAVnsILoadInfo@@@Z
+??1SheetLoadDataHashKey@mozilla@@QAE@XZ
+?SetMedia@StyleSheet@mozilla@@QAEXU?$already_AddRefed@VMediaList@dom@mozilla@@@@@Z
+?SetDisabled@StyleSheet@mozilla@@QAEX_N@Z
+??0SheetLoadData@css@mozilla@@QAE@PAVLoader@12@PAVnsIURI@@PAVStyleSheet@2@_NW4UseSystemPrincipal@312@W4IsPreload@SheetLoadDataHashKey@2@PBVEncoding@2@PAVnsICSSLoaderObserver@@PAVnsIPrincipal@@PAVnsIReferrerInfo@@PAVnsINode@@@Z
+?LoadSheet@Loader@css@mozilla@@AAE?AW4nsresult@@AAVSheetLoadData@23@W4SheetState@123@W4PendingLoad@123@@Z
+??0StreamLoader@css@mozilla@@QAE@AAVSheetLoadData@12@@Z
+?NS_NewInputStreamChannelInternal@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@U?$already_AddRefed@VnsIInputStream@@@@ABV?$nsTSubstring@D@@3PAVnsINode@@PAVnsIPrincipal@@5II@Z
+?NS_NewInputStreamChannelInternal@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@U?$already_AddRefed@VnsIInputStream@@@@ABV?$nsTSubstring@D@@3PAVnsILoadInfo@@@Z
+?QueryInterface@nsInputStreamChannel@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetURI@nsInputStreamChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?SetContentStream@nsInputStreamChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIInputStream@@@Z
+?OpenContentStream@nsInputStreamChannel@net@mozilla@@MAE?AW4nsresult@@_NPAPAVnsIInputStream@@PAPAVnsIChannel@@@Z
+?PushSyncStreamToListener@nsSyncLoadService@@SA?AW4nsresult@@U?$already_AddRefed@VnsIInputStream@@@@PAVnsIStreamListener@@PAVnsIChannel@@@Z
+?NS_InputStreamIsBuffered@@YA_NPAVnsIInputStream@@@Z
+?NotifyStart@PreloaderBase@mozilla@@QAEXPAVnsIRequest@@@Z
+?GetBrowsingContextID@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?SetCapacity@?$nsTSubstring@D@@QAI_NIABUnothrow_t@std@@@Z
+encoding_for_bom
+?VerifySheetReadyToParse@SheetLoadData@css@mozilla@@QAE?AW4nsresult@@W44@ABV?$nsTSubstring@D@@1PAVnsIChannel@@@Z
+?Release@NullPrincipalURI@mozilla@@UAGKXZ
+??1BasePrincipal@mozilla@@MAE@XZ
+?GetContentType@nsBaseChannel@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetReferrerPolicyFromChannel@nsContentUtils@@SA?AW4ReferrerPolicy@dom@mozilla@@PAVnsIChannel@@@Z
+?DetermineNonBOMEncoding@SheetLoadData@css@mozilla@@QBE?AV?$NotNull@PBVEncoding@mozilla@@@3@ABV?$nsTSubstring@D@@PAVnsIChannel@@@Z
+?GetContentCharset@nsBaseChannel@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetSubresourceCacheValidationInfo@nsContentUtils@@SA?AUSubresourceCacheValidationInfo@1@PAVnsIRequest@@@Z
+?ParseSheet@Loader@css@mozilla@@AAE?AW4Completed@LinkStyle@dom@3@ABV?$nsTSubstring@D@@AAVSheetLoadData@23@W4AllowAsyncParse@123@@Z
+?ParseSheetSync@StyleSheet@mozilla@@QAEXPAVLoader@css@2@ABV?$nsTSubstring@D@@PAVSheetLoadData@42@IPAVLoaderReusableStyleSheets@42@@Z
+?IsReadOnly@StyleSheet@mozilla@@QBE_NXZ
+Servo_StyleSheet_FromUTF8Bytes
+Gecko_ErrorReportingEnabled
+?GetAssociatedDocumentOrShadowRoot@StyleSheet@mozilla@@QBEPAVDocumentOrShadowRoot@dom@2@XZ
+_ZN9cssparser6macros32_cssparser_internal_to_lowercase17h4f9123bbd68c7e89E
+_ZN69_$LT$hashglobe..FailedAllocationError$u20$as$u20$core..fmt..Debug$GT$3fmt17ha1d9c929d055d1a6E
+_ZN9cssparser6parser26consume_until_end_of_block17h3908eed5f098ac81E
+_ZN70_$LT$style..gecko..url..CssUrlData$u20$as$u20$core..cmp..PartialEq$GT$2eq17hf49011405bb761d1E
+_ZN5style13media_queries10media_list9MediaList5parse17h3e4b461fc59bd928E
+Servo_CursorKind_Parse
+Gecko_LoadStyleSheet
+?GetURI@StyleCssUrl@mozilla@@QBEPAVnsIURI@@XZ
+?LoadChildSheet@Loader@css@mozilla@@QAE?AW4nsresult@@AAVStyleSheet@3@PAVSheetLoadData@23@PAVnsIURI@@PAVMediaList@dom@3@PAVLoaderReusableStyleSheets@23@@Z
+?Equals@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?EqualsInternal@nsStandardURL@net@mozilla@@IAE?AW4nsresult@@PAVnsIURI@@W4RefHandlingEnum@123@PA_N@Z
+?AppendStyleSheet@StyleSheet@mozilla@@QAEXAAV12@@Z
+Gecko_Atomize
+_ZN9cssparser6parser6Parser25next_including_whitespace17h28d9363eac594697E
+Servo_CounterStyleRule_SetDescriptor
+_ZN9selectors6parser18to_ascii_lowercase17ha73d70b0b7d55f1dE
+_ZN171_$LT$servo_arc..RawOffsetArc$LT$style..shared_lock..Locked$LT$style..stylesheets..rule_list..CssRules$GT$$GT$$u20$as$u20$style..stylesheets..rule_list..CssRulesHelpers$GT$11insert_rule17h54b9a6c48b00b83dE
+_ZN5style10properties17declaration_block31parse_property_declaration_list17hfc9194289791ccf2E
+_ZN5style10properties10PropertyId15parse_unchecked17hf0bfa29bfb25550aE
+_ZN122_$LT$style..properties..animated_properties..AnimationValue$u20$as$u20$style..values..distance..ComputeSquaredDistance$GT$24compute_squared_distance17hcaa9363cae724273E
+_ZN5style10properties19PropertyDeclaration10parse_into17hc5aaccacafebbb11E
+_ZN5style10properties13LonghandIdSet12contains_all17h2a5508862f30642dE
+_ZN5style6values9specified4box_41_IMPL_NUM_FromPrimitive_FOR_DisplayInside107_$LT$impl$u20$num_traits..cast..FromPrimitive$u20$for$u20$style..values..specified..box_..DisplayInside$GT$8from_u6417hecead52ef48af993E
+_ZN9cssparser22rules_and_declarations15parse_important17h917a224d79c5aa10E
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock6extend17hb2998d3e319fbe25E
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock4push17heb5e371ec3b308b7E
+_ZN5style10properties11ShorthandId9longhands17hdea26f3cb743f722E
+_ZN104_$LT$style..values..specified..gecko..IntersectionObserverRootMargin$u20$as$u20$style..parser..Parse$GT$5parse17h495b0a7f824fdf68E
+_ZN5style10properties9longhands22_moz_box_ordinal_group16cascade_property17h79a8a9dd2519d010E
+_ZN5style6values8computed102_$LT$impl$u20$style..values..generics..transform..IsParallelTo$u20$for$u20$$LP$f32$C$f32$C$f32$RP$$GT$14is_parallel_to17h0ef8da9ead124692E
+_ZN9cssparser5color19parse_color_keyword7keyword17hdaf74dc4d09a44dcE
+_ZN5style10properties10shorthands4font20LonghandsToSerialize12check_system17hf978801d4b55a12dE
+_ZN5style10properties10shorthands4font11parse_value17h35b25185fed12b0aE
+_ZN11smallbitvec11SmallBitVec10reallocate17h13056e60e4ee05cdE
+_ZN15futures_cpupool7Builder6create17he22199aca7dfc3d5E
+Servo_StyleSheetContents_Release
+Gecko_ReleaseURLExtraDataArbitraryThread
+Servo_StyleSheet_GetSourceMapURL
+Servo_StyleSheet_GetSourceURL
+?LoadCompleted@SharedStyleSheetCache@mozilla@@SAXPAV12@AAVSheetLoadData@css@2@W4nsresult@@@Z
+?GetAssociatedDocument@StyleSheet@mozilla@@QBEPAVDocument@dom@2@XZ
+?ScheduleLoadEventIfNeeded@SheetLoadData@css@mozilla@@QAEXXZ
+?NotifyObservers@Loader@css@mozilla@@AAEXAAVSheetLoadData@23@W4nsresult@@@Z
+??0SheetLoadDataHashKey@mozilla@@QAE@ABVSheetLoadData@css@1@@Z
+??_GCSSFontFaceRule@dom@mozilla@@EAEPAXI@Z
+??0SheetLoadDataHashKey@mozilla@@QAE@PBV01@@Z
+?NotifyStop@PreloaderBase@mozilla@@QAEXW4nsresult@@@Z
+??_GIdleTaskRunner@mozilla@@EAEPAXI@Z
+?Release@EditorEventListener@mozilla@@UAGKXZ
+?Cancel@nsFontFaceLoader@@QAEXXZ
+?Release@SheetLoadData@css@mozilla@@UAGKXZ
+?AddRef@SheetLoadData@css@mozilla@@UAGKXZ
+?Release@StyleSheet@mozilla@@UAGKXZ
+??1PreloaderBase@mozilla@@MAE@XZ
+_ZN9selectors6parser22is_css2_pseudo_element17h11b744d3ab0062a3E
+_ZN70_$LT$style..counter_style..SpeakAs$u20$as$u20$style..parser..Parse$GT$5parse17h9c2fd195572ed855E
+_ZN9cssparser10serializer45_$LT$impl$u20$cssparser..tokenizer..Token$GT$18serialization_type17h323817baeaea1a23E
+_ZN5style5gecko15selector_parser94_$LT$impl$u20$selectors..parser..Parser$u20$for$u20$style..selector_parser..SelectorParser$GT$36parse_non_ts_functional_pseudo_class17h40f1fb46d95a6b5dE
+_ZN5style15selector_parser14SelectorParser32parse_author_origin_no_namespace17h6d79dd7029211b14E
+_ZN5style5gecko15selector_parser16NonTSPseudoClass20parse_non_functional17h205c39c5d01829e5E
+_ZN5style5gecko15selector_parser94_$LT$impl$u20$selectors..parser..Parser$u20$for$u20$style..selector_parser..SelectorParser$GT$25parse_non_ts_pseudo_class17h5b9551764b3a48a0E
+_ZN9selectors6parser21parse_attribute_flags17h8392d69602a7bbf9E
+_ZN4time3now17hc6cec75882cc5020E
+_ZN9selectors6parser14AttributeFlags19to_case_sensitivity17h63e7a0b95520b00bE
+Gecko_ReleaseAtom
+_ZN5style6values9specified8svg_path11SVGPathData9normalize17hd94277c43481898dE
+_ZN5style10properties9longhands20text_decoration_line16cascade_property17h59369991bc0a5549E
+_ZN5style10properties9longhands14initial_letter16cascade_property17h726601ded148d070E
+_ZN102_$LT$style..stylesheets..supports_rule..SupportsRule$u20$as$u20$style..shared_lock..ToCssWithGuard$GT$6to_css17hc5d97a7a2889fb3eE
+_ZN5style11stylesheets13supports_rule17SupportsCondition4eval17hecee545271b5a4c8E
+_ZN5style6values9specified9transform385_$LT$impl$u20$style..parser..Parse$u20$for$u20$style..values..generics..transform..GenericTransform$LT$style..values..generics..transform..GenericTransformOperation$LT$style..values..specified..angle..Angle$C$style..values..specified..Number$C$style..values..specified..length..Length$C$style..values..specified..Integer$C$style..values..specified..length..LengthPercentage$GT$$GT$$GT$5parse17h335553c5b678808eE
+_ZN5style6values9specified7Integer3new17hcd10ab69c7ced89dE
+_ZN5style13media_queries10media_list9MediaList13delete_medium17hf417af20c6b782ebE
+_ZN5style12invalidation11stylesheets25StylesheetInvalidationSet5clear17hd6679a1baf043494E
+_ZN5style7sharing14ValidationData4take17hc200b994b2a1e9a1E
+_ZN5style6values9specified10percentage10Percentage3get17hc633a852574c36e2E
+_ZN5style6values9specified4text20TextEmphasisPosition18from_gecko_keyword17h67d9b9ca185a8062E
+_ZN5style6values9specified4box_7Display8inlinify17he28355e1903f730bE
+_ZN5style6values9specified6easing174_$LT$impl$u20$style..parser..Parse$u20$for$u20$style..values..generics..easing..TimingFunction$LT$style..values..specified..Integer$C$style..values..specified..Number$GT$$GT$5parse17h2ff8cc8ec82791dfE
+_ZN5style5gecko15selector_parser94_$LT$impl$u20$selectors..parser..Parser$u20$for$u20$style..selector_parser..SelectorParser$GT$20parse_pseudo_element17h64e0091cbc6e660dE
+_ZN5style5gecko14pseudo_element13PseudoElement5flags17h9b2b0b14acf3ce03E
+_ZN5style5gecko15selector_parser94_$LT$impl$u20$selectors..parser..Parser$u20$for$u20$style..selector_parser..SelectorParser$GT$31parse_functional_pseudo_element17h300ae079fe80facaE
+?FindFreeAddressSpace@SharedMemory@base@@SAPAXI@Z
+Servo_SharedMemoryBuilder_Create
+_ZN8to_shmem19SharedMemoryBuilder3new17h0c2b921a88d22241E
+?ContentEditableSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+_ZN5style6values9specified4list13ListStyleType18from_gecko_keyword17hb448c646da0b2331E
+_ZN5style6values9specified4font10FontFamily15parse_specified17hedf70e48138340cdE
+_ZN5style6values8computed4font10FontWeight7lighter17hac0a47f67bd233f3E
+_ZN86_$LT$style..values..computed..font..FontFamilyList$u20$as$u20$core..cmp..PartialEq$GT$2eq17hefce157e01e29190E
+Gecko_nsTArray_FontFamilyName_AppendGeneric
+_ZN5style6values9specified4font8FontSize14from_html_size17h5e7ba3e15758d4b4E
+?ToShared@StyleSheet@mozilla@@QAEPBUServoCssRules@@PAURawServoSharedMemoryBuilder@@AAV?$nsTString@D@@@Z
+Servo_SharedMemoryBuilder_AddStylesheet
+_ZN77_$LT$style..stylesheets..rule_list..CssRules$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17h9458622564c132eeE
+_ZN74_$LT$cssparser..tokenizer..SourceLocation$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17hf246f412948e2e91E
+_ZN77_$LT$selectors..builder..SpecificityAndFlags$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17h69776f6b2bae0f2fE
+_ZN62_$LT$smallbitvec..SmallBitVec$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17he569a0e3024e868dE
+_ZN63_$LT$smallbitvec..SmallBitVec$u20$as$u20$core..clone..Clone$GT$5clone17hc8285db3381e14afE
+_ZN66_$LT$smallbitvec..SmallBitVec$u20$as$u20$core..ops..drop..Drop$GT$4drop17h91997c0c238e1303E
+_ZN67_$LT$selectors..parser..Combinator$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17h08f8461124c68af1E
+_ZN66_$LT$alloc..boxed..Box$LT$str$GT$$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17h231b1dc9cada7aaaE
+_ZN5style6values9specified4text44_IMPL_NUM_FromPrimitive_FOR_TextAlignKeyword110_$LT$impl$u20$num_traits..cast..FromPrimitive$u20$for$u20$style..values..specified..text..TextAlignKeyword$GT$8from_u6417h85d0be40a9a51d7eE
+_ZN71_$LT$style_traits..owned_str..OwnedStr$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17hcd82d8efa0059de7E
+?CounterStylesSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+_ZN5style7context17StackLimitChecker14limit_exceeded17h37a104a71092df24E
+_ZN69_$LT$style..counter_style..System$u20$as$u20$style..parser..Parse$GT$5parse17h853098f93e84875bE
+_ZN66_$LT$style..counter_style..Pad$u20$as$u20$style..parser..Parse$GT$5parse17h92acff6a6f760147E
+_ZN69_$LT$style..counter_style..Symbol$u20$as$u20$style..parser..Parse$GT$5parse17h67a854130b2bbbb4E
+_ZN70_$LT$style..counter_style..Symbols$u20$as$u20$style..parser..Parse$GT$5parse17h48fcb72ae8bbf740E
+_ZN76_$LT$style..counter_style..CounterRanges$u20$as$u20$style..parser..Parse$GT$5parse17hf80dfe417fb2792bE
+_ZN78_$LT$style..counter_style..AdditiveSymbols$u20$as$u20$style..parser..Parse$GT$5parse17h6df516d77d10e02aE
+_ZN97_$LT$style..counter_style..CounterStyleRuleData$u20$as$u20$style..shared_lock..ToCssWithGuard$GT$6to_css17h5aafe42cd1fad23bE
+?DesignModeSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?FormsSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+_ZN5style6values9specified4font18AbsoluteFontWeight7compute17h1712dd69f1bc954eE
+_ZN5style10properties9longhands17font_variant_caps16cascade_property17hc40fd97b3cd013baE
+_ZN5style10properties9longhands10font_style16cascade_property17h399cadfa58020bbbE
+_ZN100_$LT$style..values..specified..calc..Leaf$u20$as$u20$style..values..generics..calc..CalcNodeLeaf$GT$6mul_by17h4e581178b6c0f3adE
+_ZN5style10properties9longhands17background_repeat16cascade_property17hebe306f54d9942f3E
+_ZN5style10properties9longhands15background_clip16cascade_property17h7ca46b4ba92acf1aE
+_ZN5style10properties9longhands21background_attachment16cascade_property17hdd696584c791a39fE
+_ZN5style10properties9longhands7z_index16cascade_property17hbd11bbaafe51bd44E
+_ZN5style6values9specified6easing141_$LT$impl$u20$style..values..generics..easing..TimingFunction$LT$style..values..specified..Integer$C$style..values..specified..Number$GT$$GT$33to_computed_value_without_context17ha02cfd0e97782763E
+_ZN5style16gecko_properties77_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoUIReset$GT$34clone__moz_window_transform_origin17h049004cd5f5d2d32E
+?HTMLSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+_ZN5style10properties9longhands15list_style_type16cascade_property17hdf6e390419767f0aE
+_ZN5style10properties9longhands15scrollbar_color16cascade_property17h2b075e3d08c962bcE
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UMediaImage@dom@mozilla@@@?$nsTArray_Impl@UMediaImage@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBUMediaImage@dom@mozilla@@I@Z
+_ZN5style6values8generics4box_48_IMPL_NUM_FromPrimitive_FOR_VerticalAlignKeyword113_$LT$impl$u20$num_traits..cast..FromPrimitive$u20$for$u20$style..values..generics..box_..VerticalAlignKeyword$GT$8from_u6417hfec242449f5a4f36E
+_ZN59_$LT$alloc..string..String$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17he09880d03baf8ab8E
+?MathMLSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?MinimalXULSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+_ZN62_$LT$std..ffi..c_str..CString$u20$as$u20$to_shmem..ToShmem$GT$8to_shmem17hefc2707fe20641d6E
+_ZN87_$LT$style..global_style_data..STYLE_THREAD_POOL$u20$as$u20$core..ops..deref..Deref$GT$5deref17hc13873590aa9a57eE
+?NoFramesSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?NoScriptSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?PluginProblemSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?QuirkSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?ScrollbarsSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?SVGSheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+?UASheet@GlobalStyleSheetCache@mozilla@@QAE?AV?$NotNull@PAVStyleSheet@mozilla@@@2@XZ
+??RMappingDeleter@SharedMemory@base@@QAEXPAX@Z
+?SystemPageSize@SharedMemory@ipc@mozilla@@SAIXZ
+Servo_SharedMemoryBuilder_GetLength
+Servo_SharedMemoryBuilder_Drop
+?SetSharedContents@StyleSheet@mozilla@@QAEXPBUServoCssRules@@@Z
+Servo_StyleSheet_FromSharedData
+_ZN5style11stylesheets10stylesheet18StylesheetContents16from_shared_data17h1b58ae6098c6809bE
+?SetComplete@StyleSheet@mozilla@@QAEXXZ
+Gecko_ReleaseSharedFontListArbitraryThread
+Gecko_LoadData_Drop
+??1URLExtraData@mozilla@@AAE@XZ
+??1?$nsTArray_Impl@V?$RefPtr@VStyleSheet@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetInstance@nsStyleSheetService@@SAPAV1@XZ
+??0nsStyleSheetService@@QAE@XZ
+?Init@nsStyleSheetService@@QAE?AW4nsresult@@XZ
+?DidRefresh@OneShotPostRefreshObserver@mozilla@@UAEXXZ
+?Release@nsStyleSheetService@@UAGKXZ
+?AppendStyleSheet@ServoStyleSet@mozilla@@QAEXAAVStyleSheet@2@@Z
+?AddStyleSet@StyleSheet@mozilla@@QAEXPAVServoStyleSet@2@@Z
+Servo_StyleSet_AppendStyleSheet
+_ZN5style7stylist7Stylist17append_stylesheet17hedf33e7a8e8f88daE
+_ZN5style7sharing17SHARING_CACHE_KEY7__getit17he592e433f2be153cE
+?InternalMathMLEnabled@nsNodeInfoManager@@AAE_NXZ
+?InternalSVGEnabled@nsNodeInfoManager@@AAE_NXZ
+?ShouldUseNoFramesSheet@nsLayoutUtils@@SA_NPAVDocument@dom@mozilla@@@Z
+?GetAllowSubframes@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?ShouldUseNoScriptSheet@nsLayoutUtils@@SA_NPAVDocument@dom@mozilla@@@Z
+?IsScriptEnabled@Document@dom@mozilla@@QAE_NXZ
+?GetGlobalJSObjectPreserveColor@nsGlobalWindowInner@@UBEPAVJSObject@@XZ
+?Allowed@Scriptability@xpc@@QAE_NXZ
+?AllowXULXBLForPrincipal@nsContentUtils@@SA_NPAVnsIPrincipal@@@Z
+?Init@PresShell@mozilla@@QAEXPAVnsPresContext@@PAVnsViewManager@@@Z
+?profiler_capture_backtrace@@YA?AV?$UniquePtr@VProfileChunkedBuffer@mozilla@@V?$DefaultDelete@VProfileChunkedBuffer@mozilla@@@2@@mozilla@@XZ
+??0nsCSSFrameConstructor@@QAE@PAVDocument@dom@mozilla@@PAVPresShell@3@@Z
+?AttachPresShell@nsPresContext@@QAEXPAVPresShell@mozilla@@@Z
+??0RestyleManager@mozilla@@QAE@PAVnsPresContext@@@Z
+??0CounterStyleManager@mozilla@@QAE@PAVnsPresContext@@@Z
+?GetDisplayItemTypeForProperty@LayerAnimationInfo@mozilla@@SA?AW4DisplayItemType@@W4nsCSSPropertyID@@@Z
+?IsDOMPaintEventPending@nsPresContext@@QAE_NXZ
+?InitFontCache@nsDeviceContext@@QAEXXZ
+??1nsFontCache@@IAE@XZ
+?Release@nsFontCache@@UAGKXZ
+?MaybeRecreateMobileViewportManager@PresShell@mozilla@@QAEX_N@Z
+?LogDispatch@?$LogTaskBase@VPresShell@mozilla@@@mozilla@@SAXPAVPresShell@2@PAX@Z
+?EnsureTimerStarted@nsRefreshDriver@@AAEXW4EnsureTimerStartedFlags@1@@Z
+?GetRootWidget@nsPresContext@@QBEPAVnsIWidget@@XZ
+??8?$StyleGenericCrossFadeImage@U?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@QBE_NABU01@@Z
+?Csp@nsDocShellLoadState@@QBEPAVnsIContentSecurityPolicy@@XZ
+?GetNextTickHint@nsRefreshDriver@@SA?AV?$Maybe@VTimeStamp@mozilla@@@mozilla@@XZ
+?GetVsyncDispatcher@VsyncSource@gfx@mozilla@@QAE?AV?$RefPtr@VVsyncDispatcher@mozilla@@@@XZ
+?IsInLayoutAsapMode@gfxPlatform@@SA_NXZ
+?GetRootPresContext@nsPresContext@@QBEPAVnsRootPresContext@@XZ
+?AddChildRefreshTimer@VsyncDispatcher@mozilla@@QAEXPAVVsyncObserver@2@@Z
+??1VsyncDispatcher@mozilla@@EAE@XZ
+?NotifyVsyncDispatcherVsyncStatus@Display@VsyncSource@gfx@mozilla@@QAEX_N@Z
+?GetVsyncRate@D3DVsyncDisplay@D3DVsyncSource@@UAE?AV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@XZ
+?PostTask@MessageLoop@@QAEXU?$already_AddRefed@VnsIRunnable@@@@@Z
+?_Growmap@?$deque@UPendingTask@MessageLoop@@V?$allocator@UPendingTask@MessageLoop@@@std@@@std@@IAEXI@Z
+?ScheduleWork@MessagePumpDefault@base@@UAEXXZ
+?UpdatePreferenceStyles@PresShell@mozilla@@QAEXXZ
+?IsInChromeDocshell@nsContentUtils@@SA_NPBVDocument@dom@mozilla@@@Z
+??0nsFrameSelection@@QAE@PAVPresShell@mozilla@@PAVnsIContent@@_N@Z
+??0Selection@dom@mozilla@@QAE@W4SelectionType@2@PAVnsFrameSelection@@@Z
+??0nsCaret@@QAE@XZ
+?Init@nsCaret@@QAE?AW4nsresult@@PAVPresShell@mozilla@@@Z
+?GetSelection@PresShell@mozilla@@UAEPAVSelection@dom@2@F@Z
+?AddRef@Selection@dom@mozilla@@UAGKXZ
+?AddSelectionListener@Selection@dom@mozilla@@QAEXPAVnsISelectionListener@@@Z
+?Release@Selection@dom@mozilla@@UAGKXZ
+?RegisterPresShell@nsStyleSheetService@@QAEXPAVPresShell@mozilla@@@Z
+?AddRef@PresShell@mozilla@@UAGKXZ
+?SetIsActive@PresShell@mozilla@@QAE?AW4nsresult@@_N@Z
+?SetThrottled@nsRefreshDriver@@QAEX_N@Z
+?EnumerateExternalResources@Document@dom@mozilla@@QAEXV?$FunctionRef@$$A6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@3@@Z
+?EnumerateResources@ExternalResourceMap@dom@mozilla@@QAEXV?$FunctionRef@$$A6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@3@@Z
+??0Iterator@PLDHashTable@@QAE@PAV1@UEndIteratorTag@01@@Z
+?Freeze@PresShell@mozilla@@QAEXXZ
+?ImageTracker@Document@dom@mozilla@@QAEPAV023@XZ
+?SetLockingState@ImageTracker@dom@mozilla@@QAE?AW4nsresult@@_N@Z
+?Init@TouchManager@mozilla@@QAEXPAVPresShell@2@PAVDocument@dom@2@@Z
+?IsRootContentDocumentCrossProcess@nsPresContext@@QBE_NXZ
+?MediaFeatureValuesChanged@nsPresContext@@QAEXABUMediaFeatureChange@mozilla@@W4MediaFeatureChangePropagation@3@@Z
+?IsInvisible@nsDocShell@@UAG_NXZ
+?Top@BrowsingContext@dom@mozilla@@QAEPAV123@XZ
+?SetAuthorStyleDisabled@PresShell@mozilla@@QAEX_N@Z
+?BeginObservingDocument@PresShell@mozilla@@QAEXXZ
+?SetWindowDimensions@nsViewManager@@QAEXHH_N@Z
+?IsVisible@PresShell@mozilla@@QBE_NXZ
+?SetVisibleArea@nsPresContext@@QAEXABUnsRect@@@Z
+?RecomputeBrowsingContextDependentData@nsPresContext@@QAEXXZ
+?SetOverrideDPPX@nsPresContext@@QAEXM@Z
+?GetCurrentSelection@PresShell@mozilla@@QAEPAVSelection@dom@2@W4SelectionType@2@@Z
+??1nsDocumentViewer@@MAE@XZ
+?AddEventListener@EventTarget@dom@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIDOMEventListener@@_NABU?$Nullable@_N@23@@Z
+?GetOrCreateListenerManager@Document@dom@mozilla@@UAEPAVEventListenerManager@3@XZ
+?AddEventListener@EventTarget@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVEventListener@23@ABVAddEventListenerOptionsOrBoolean@23@ABU?$Nullable@_N@23@AAVErrorResult@3@@Z
+?__invoke@<lambda_1>@?0???$?0V<lambda_1>@?0??CollectInProcessSubdocuments@AutoPrintEventDispatcher@dom@mozilla@@CAXAAVDocument@34@AAV?$nsTArray@V?$nsCOMPtr@VDocument@dom@mozilla@@@@@@@Z@H$0A@@?$FunctionRef@$$A6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@mozilla@@QAE@AAV1?0??CollectInProcessSubdocuments@AutoPrintEventDispatcher@dom@3@CAXAAVDocument@63@AAV?$nsTArray@V?$nsCOMPtr@VDocument@dom@mozilla@@@@@@@Z@@Z@CA?A?<auto>@@ABTPayload@23@0@Z
+?FireOnNewGlobalObject@nsGlobalWindowInner@@AAEXXZ
+?DispatchChromeEvent@nsContentUtils@@SA?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsISupports@@ABV?$nsTSubstring@_S@@W4CanBubble@5@W4Cancelable@5@PA_N@Z
+?CreateEvent@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VEvent@dom@mozilla@@@@ABV?$nsTSubstring@_S@@W4CallerType@23@AAVErrorResult@3@@Z
+?CreateEvent@EventDispatcher@mozilla@@SA?AU?$already_AddRefed@VEvent@dom@mozilla@@@@PAVEventTarget@dom@2@PAVnsPresContext@@PAVWidgetEvent@2@ABV?$nsTSubstring@_S@@W4CallerType@52@@Z
+?WrapObjectInternal@UIEvent@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?GetEventTarget@EventStateManager@mozilla@@QAEPAVnsIFrame@@XZ
+?AddRef@DataTransfer@dom@mozilla@@UAGKXZ
+?InitEvent@Event@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@W4CanBubble@3@W4Cancelable@3@W4Composed@3@@Z
+?GetEventMessageAndAtom@nsContentUtils@@SAPAVnsAtom@@ABV?$nsTSubstring@_S@@W4EventClassID@mozilla@@PAW4EventMessage@5@@Z
+?TryGetBrowserChildGlobal@nsContentUtils@@SA?AU?$already_AddRefed@VContentFrameMessageManager@dom@mozilla@@@@PAVnsISupports@@@Z
+?DispatchDOMEvent@EventDispatcher@mozilla@@SA?AW4nsresult@@PAVnsISupports@@PAVWidgetEvent@2@PAVEvent@dom@2@PAVnsPresContext@@PAW4nsEventStatus@@@Z
+?Dispatch@EventDispatcher@mozilla@@SA?AW4nsresult@@PAVnsISupports@@PAVnsPresContext@@PAVWidgetEvent@2@PAVEvent@dom@2@PAW4nsEventStatus@@PAVEventDispatchingCallback@2@PAV?$nsTArray@PAVEventTarget@dom@mozilla@@@@@Z
+?GetEventTargetParent@nsWindowRoot@@UAEXAAVEventChainPreVisitor@mozilla@@@Z
+?Deserialize@Event@dom@mozilla@@UAE_NPBVMessage@IPC@@PAVPickleIterator@@@Z
+?GetEventPopupControlState@PopupBlocker@dom@mozilla@@SA?AW4PopupControlState@123@PAVWidgetEvent@3@PAVEvent@23@@Z
+?DefaultPrevented@Event@dom@mozilla@@QBE_NW4CallerType@23@@Z
+?GetUTFOrigin@nsContentUtils@@SA?AW4nsresult@@PAVnsIPrincipal@@AAV?$nsTSubstring@_S@@@Z
+?GetAsciiOrigin@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ColumnEnd@GridArea@dom@mozilla@@QBEIXZ
+?Release@PresShell@mozilla@@UAGKXZ
+?NS_IsAboutBlank@@YA_NPAVnsIURI@@@Z
+?FireOnLocationChange@nsDocLoader@@IAEXPAVnsIWebProgress@@PAVnsIRequest@@PAVnsIURI@@I@Z
+?Release@nsDocumentViewer@@UAGKXZ
+?SetIsInitialDocument@Document@dom@mozilla@@QAEX_N@Z
+?SendSetIsInitialDocument@PWindowGlobalChild@dom@mozilla@@QAE_NAB_N@Z
+?Run@?$RunnableMethodImpl@$$CBV?$RefPtr@VVideoFrameContainer@mozilla@@@@P8VideoFrameContainer@mozilla@@AEXXZ$00$0A@$$V@detail@mozilla@@UAG?AW4nsresult@@XZ
+?NotifyVsync@Display@VsyncSource@gfx@mozilla@@UAEXABVTimeStamp@4@0@Z
+?NotifyVsync@VsyncDispatcher@mozilla@@QAEXABUVsyncEvent@2@@Z
+?Release@nsGlobalWindowOuter@@UAGKXZ
+?QueryInterface@PrioritizableRunnable@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@nsGlobalWindowOuter@@UAGKXZ
+?GetTreeOwner@nsDocShell@@UAG?AW4nsresult@@PAPAVnsIDocShellTreeOwner@@@Z
+?SetArguments@nsGlobalWindowOuter@@QAE?AW4nsresult@@PAVnsIArray@@@Z
+?DefineArgumentsProperty@nsGlobalWindowInner@@IAE?AW4nsresult@@PAVnsIArray@@@Z
+?SetName@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?NewArrayObject@JS@@YAPAVJSObject@@PAUJSContext@@ABVHandleValueArray@1@@Z
+?GetOutputFromMonitor@DeviceManagerDx@gfx@mozilla@@QAE_NPAUHMONITOR__@@PAV?$RefPtr@UIDXGIOutput@@@@@Z
+?IsSystemOrExpandedPrincipal@nsContentUtils@@SA_NPAVnsIPrincipal@@@Z
+?GetSameProcessOpener@nsGlobalWindowOuter@@QAEPAVnsPIDOMWindowOuter@@XZ
+?GetOpenerBrowsingContext@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@XZ
+?GetUseRemoteTabs@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetUseRemoteSubframes@BrowsingContext@dom@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GenerateLoadIdentifier@nsContentUtils@@SA_KXZ
+??0nsDocShellLoadState@@QAE@PAVnsIURI@@_K@Z
+?SetSourceBrowsingContext@nsDocShellLoadState@@QAEXPAVBrowsingContext@dom@mozilla@@@Z
+?GetEntryDocument@dom@mozilla@@YAPAVDocument@12@XZ
+?CurrentWindowOrNull@xpc@@YAPAVnsGlobalWindowInner@@PAUJSContext@@@Z
+?LoadURI@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@PAVnsDocShellLoadState@@_N@Z
+?LoadURI@nsDocShell@@UAG?AW4nsresult@@PAVnsDocShellLoadState@@_N@Z
+?LoadURI@nsDocShell@@QAE?AW4nsresult@@PAVnsDocShellLoadState@@_N1@Z
+??0AutoPopupStatePusherInternal@@QAE@W4PopupControlState@PopupBlocker@dom@mozilla@@_N@Z
+?GetBeforeUnloadFiring@nsDocumentViewer@@UAG?AW4nsresult@@PA_N@Z
+?IsNavigationAllowed@nsDocShell@@QAE_N_N0@Z
+?PreOrderWalk@BrowsingContext@dom@mozilla@@QAEXABV?$function@$$A6AXPAVBrowsingContext@dom@mozilla@@@Z@std@@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$RefPtr@VBrowsingContext@dom@mozilla@@@@@?$nsTArray_Impl@V?$RefPtr@VBrowsingContext@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$RefPtr@VBrowsingContext@dom@mozilla@@@@PBV1@I@Z
+?CalculateLoadURIFlags@nsDocShellLoadState@@QAEXXZ
+?InternalLoad@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@PAVnsDocShellLoadState@@@Z
+?GetRef@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetHasRef@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?EqualsExceptRef@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?EqualsInternal@nsSimpleNestedURI@net@mozilla@@UAE?AW4nsresult@@PAVnsIURI@@W4RefHandlingEnum@nsSimpleURI@23@PA_N@Z
+?CreateExposableURI@nsIOService@net@mozilla@@SA?AU?$already_AddRefed@VnsIURI@@@@PAVnsIURI@@@Z
+?SchemeIsJavascript@net@mozilla@@YA_NPAVnsIURI@@@Z
+?GetDOMTiming@PerformanceMainThread@dom@mozilla@@UBEPAVnsDOMNavigationTiming@@XZ
+?GetContentViewer@nsDocShell@@UAG?AW4nsresult@@PAPAVnsIContentViewer@@@Z
+??0Event@dom@mozilla@@QAE@PAVEventTarget@12@PAVnsPresContext@@PAVWidgetEvent@2@@Z
+??0TemporarilyDisableDialogs@nsGlobalWindowOuter@@QAE@PAV1@@Z
+?GetTargetForDOMEvent@nsGlobalWindowInner@@UAEPAVEventTarget@dom@mozilla@@XZ
+?GetDocGroup@nsPIDOMWindowInner@@QBEPAVDocGroup@dom@mozilla@@XZ
+?GetExistingListenerManager@nsGlobalWindowInner@@UBEPAVEventListenerManager@mozilla@@XZ
+?Release@nsPresContext@@UAGKXZ
+??1TemporarilyDisableDialogs@nsGlobalWindowOuter@@QAE@XZ
+?AreDialogsEnabled@nsGlobalWindowOuter@@QAE_NXZ
+?GetIsHidden@nsDocumentViewer@@UAG?AW4nsresult@@PA_N@Z
+?Stop@nsDocShell@@UAG?AW4nsresult@@I@Z
+?Stop@nsDocLoader@@UAG?AW4nsresult@@XZ
+?CancelTailPendingRequests@RequestContext@net@mozilla@@UAG?AW4nsresult@@W44@@Z
+?ProcessTailQueue@RequestContext@net@mozilla@@AAEXW4nsresult@@@Z
+?DocLoaderIsEmpty@nsDocLoader@@IAEX_NABV?$Maybe@W4nsresult@@@mozilla@@@Z
+?CalculateChannelLoadFlags@nsDocShellLoadState@@QAEIPAVBrowsingContext@dom@mozilla@@V?$Maybe@_N@4@1@Z
+?PredictorLearn@net@mozilla@@YA?AW4nsresult@@PAVnsIURI@@0IABVOriginAttributes@2@@Z
+?PredictorPredict@net@mozilla@@YA?AW4nsresult@@PAVnsIURI@@0IABVOriginAttributes@2@PAVnsINetworkPredictorVerifier@@@Z
+?CanLoadInParentProcess@nsDocShell@@SA_NPAVnsIURI@@@Z
+?QueryInterface@nsURILoader@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsURILoader@@UAGKXZ
+?ChannelShouldInheritPrincipal@nsContentUtils@@SA_NPAVnsIPrincipal@@PAVnsIURI@@_N2@Z
+??0LoadInfo@net@mozilla@@QAE@PAVnsPIDOMWindowOuter@@PAVnsIPrincipal@@PAVnsISupports@@II@Z
+?GetTopLevelAntiTrackingPrincipal@nsGlobalWindowInner@@QAEPAVnsIPrincipal@@XZ
+?HasValidTransientUserGestureActivation@WindowContext@dom@mozilla@@QAE_NXZ
+?CanUseDocumentChannel@DocumentChannel@net@mozilla@@SA_NPAVnsIURI@@@Z
+?CreateForDocument@DocumentChannel@net@mozilla@@SA?AU?$already_AddRefed@VDocumentChannel@net@mozilla@@@@PAVnsDocShellLoadState@@PAVLoadInfo@23@IPAVnsIInterfaceRequestor@@I_N3@Z
+?Resume@ChannelEventQueue@net@mozilla@@QAEXXZ
+?GetInstance@nsHttpHandler@net@mozilla@@SA?AU?$already_AddRefed@VnsHttpHandler@net@mozilla@@@@XZ
+??0nsHttpAuthCache@net@mozilla@@QAE@XZ
+??0SpdyInformation@net@mozilla@@QAE@XZ
+??0nsHttpChannelAuthProvider@net@mozilla@@QAE@XZ
+?CreateAtomTable@nsHttp@net@mozilla@@YA?AW4nsresult@@XZ
+?Release@nsHttpChannel@net@mozilla@@WFOE@AGKXZ
+?LaunchSocketProcess@nsIOService@net@mozilla@@QAE?AW4nsresult@@XZ
+??0SocketProcessHost@net@mozilla@@QAE@PAVListener@012@@Z
+??0GeckoChildProcessHost@ipc@mozilla@@QAE@W4GeckoProcessType@@_N@Z
+??0ChildProcessHost@@IAE@XZ
+??$_Traits_find@U?$char_traits@D@std@@@std@@YAIQBDII0I@Z
+?Launch@SocketProcessHost@net@mozilla@@QAE_NXZ
+?PlatformBuildID@mozilla@@YAPBDXZ
+??$_Emplace_reallocate@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@QAEPAV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@1@QAV21@$$QAV21@@Z
+?_Change_array@?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@AAEXQAV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@2@II@Z
+??0SharedPreferenceSerializer@ipc@mozilla@@QAE@XZ
+?SerializeToSharedMemory@SharedPreferenceSerializer@ipc@mozilla@@QAE_NXZ
+?EnsureSnapshot@Preferences@mozilla@@SA?AVFileDescriptor@ipc@2@PAI@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@UEntry@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+??$OrInsert@V<lambda_1>@?0??Add@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@QAE?AUStringTableEntry@456@ABV?$nsTString@D@@@Z@@EntryPtr@?$nsBaseHashtable@VnsCStringHashKey@@UEntry@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@U23456@V?$nsDefaultConverter@UEntry@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@U12345@@@@@QAEAAUEntry@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@V<lambda_1>@?0??Add@3456@QAE?AUStringTableEntry@456@ABV?$nsTString@D@@@Z@@Z
+?UnloadPrefsModule@mozilla@@YAXXZ
+?Init@MemMapSnapshot@ipc@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@3@I@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@UEntry@?$StringTableBuilder@VnsCStringHashKey@@V?$nsTString@D@@@ipc@dom@mozilla@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+??1?$nsTArray_Impl@DUnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@PAVClientHandleParent@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@PAVJSObject@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?SerializePreferences@Preferences@mozilla@@SAXAAV?$nsTString@D@@@Z
+?AddSharedPrefCmdLineArgs@SharedPreferenceSerializer@ipc@mozilla@@QBEXAAVGeckoChildProcessHost@23@AAV?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@@Z
+??$_Emplace_reallocate@ABQAX@?$vector@PAXV?$allocator@PAX@std@@@std@@QAEPAPAXQAPAXABQAX@Z
+??0?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@QAE@ABV01@@Z
+?LaunchAndWaitForProcessHandle@GeckoChildProcessHost@ipc@mozilla@@QAE_NV?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@@Z
+?AsyncLaunch@GeckoChildProcessHost@ipc@mozilla@@QAE_NV?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@@Z
+?OOPInit@CrashReporter@@YAXXZ
+??0CrashGenerationServer@google_breakpad@@QAE@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@PAU_SECURITY_ATTRIBUTES@@P6AXPAXPBVClientInfo@1@@Z2P6AX2ABV51@0@Z2P6AX25@Z72P6AX2K@Z2_NPBV23@@Z
+?set_include_context_heap@CrashGenerationServer@google_breakpad@@QAEX_N@Z
+?Start@CrashGenerationServer@google_breakpad@@QAE_NXZ
+?UpdateCrashEventsDir@CrashReporter@@YAXXZ
+??$SprintfLiteral@$0CA@@@YAHAAY0CA@DPBDZZ
+?NS_NewNamedThread@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIThread@@PAVnsIRunnable@@I@Z
+?GetCurrentProcessDirectory@nsDirectoryService@@QAE?AW4nsresult@@PAPAVnsIFile@@@Z
+?XRE_GetIOMessageLoop@@YAPAVMessageLoop@@XZ
+??6mozilla@@YAAAVLogger@0@AAV10@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+?Quit@MessageLoop@@QAEXXZ
+??0?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@IAE@PBD_N@Z
+?_Tidy@?$vector@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$allocator@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@@std@@AAEXXZ
+?InitializeChannel@GeckoChildProcessHost@ipc@mozilla@@UAEXXZ
+?CreateChannel@ChildProcessHost@@IAE_NXZ
+?RandInt@base@@YAHHH@Z
+?StringPrintf@@YA?AV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@PB_WZZ
+??0ChannelImpl@Channel@IPC@@QAE@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@W4Mode@12@PAVListener@12@@Z
+?TimedWait@WaitableEvent@base@@QAE_NABVTimeDelta@2@@Z
+?overflow@?$basic_stringbuf@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@MAEGG@Z
+?StringToInt@@YA_NABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@PAH@Z
+??$_Insert_string@_WU?$char_traits@_W@std@@I@std@@YAAAV?$basic_ostream@_WU?$char_traits@_W@std@@@0@AAV10@QB_WI@Z
+?str@?$basic_stringbuf@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QBE?AV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@XZ
+??0Message@IPC@@QAE@HIIVHeaderFlags@01@_N@Z
+?Connect@ChannelImpl@Channel@IPC@@QAE_NXZ
+?SetAlreadyDead@GeckoChildProcessHost@ipc@mozilla@@QAEXXZ
+?GetProfilerEnvVarsForChildProcess@mozilla@@YAX$$QAV?$function@$$A6AXPBD0@Z@std@@@Z
+??$_Try_emplace@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@$$V@?$map@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@U?$less@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@2@@std@@QAE?AU?$pair@V?$_Tree_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@std@@@std@@@std@@_N@1@$$QAV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@1@@Z
+??$_Insert_hint@AAU?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAU?$_Tree_node@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAX@2@@?$_Tree@V?$_Tmap_traits@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@U?$less@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@2@$0A@@std@@@std@@IAE?AV?$_Tree_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@std@@@std@@@1@V?$_Tree_const_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@std@@@std@@@1@AAU?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@1@PAU?$_Tree_node@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAX@1@@Z
+??$_Insert_at@AAU?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAU?$_Tree_node@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAX@2@@?$_Tree@V?$_Tmap_traits@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@U?$less@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@2@$0A@@std@@@std@@IAE?AV?$_Tree_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@std@@@std@@@1@_NPAU?$_Tree_node@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAX@1@AAU?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@1@1@Z
+?FromWStringHack@FilePath@@SA?AV1@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+?ToWStringHack@FilePath@@QBE?AV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@XZ
+??0CommandLine@@QAE@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??reserve@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEXI@Z@$$V@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV01@IV<lambda_1>@?0??reserve@01@QAEXI@Z@@Z
+?SysMultiByteToWide@base@@YA?AV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@ABVStringPiece@@I@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??append@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV34@I_W@Z@I_W@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV01@IV<lambda_1>@?0??append@01@QAEAAV01@I_W@Z@I_W@Z
+?AppendLooseValue@CommandLine@@QAEXABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+?AppendSwitchWithValue@CommandLine@@QAEXABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@0@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??push_back@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEX_W@Z@_W@?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@QAEAAV01@IV<lambda_1>@?0??push_back@01@QAEX_W@Z@_W@Z
+??0SandboxBroker@mozilla@@QAE@XZ
+?LaunchApp@base@@YA_NABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@ABULaunchOptions@1@PAPAX@Z
+?GetProcId@base@@YAKPAX@Z
+?find@?$_Tree@V?$_Tmap_traits@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@U?$less@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@2@$0A@@std@@@std@@QBE?AV?$_Tree_const_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@std@@@std@@@2@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@@Z
+?print@EnvironmentLog@mozilla@@QAAXPBDZZ
+?DispatchAll@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@IAEXXZ
+?ThenInternal@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@@@PBD@Z
+?Dispatch@ThenValueBase@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@QAEXPAV23@@Z
+?Run@ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@UAG?AW4nsresult@@XZ
+?DoResolveOrReject@ThenValueBase@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@IAEXAAVResolveOrRejectValue@23@@Z
+?IsOnCurrentThreadInfallible@AbstractThread@mozilla@@UAG_NXZ
+?AddTargetPeer@SandboxBroker@mozilla@@SA_NPAX@Z
+?RegisterChildCrashAnnotationFileDescriptor@CrashReporter@@YAXKPAUPRFileDesc@@@Z
+?CreateAdditionalChildMinidump@CrashReporter@@YA_NPAXKPAVnsIFile@@ABV?$nsTSubstring@D@@@Z
+?_Tidy@?$deque@VMessage@IPC@@V?$allocator@VMessage@IPC@@@std@@@std@@IAEXXZ
+?_Tidy@?$vector@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V?$allocator@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@@std@@AAEXXZ
+?_Erase@?$_Tree@V?$_Tmap_traits@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@U?$less@V?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@@std@@@2@$0A@@std@@@std@@IAEXPAU?$_Tree_node@U?$pair@$$CBV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@2@@std@@PAX@2@@Z
+??1GeckoChildProcessHost@ipc@mozilla@@MAE@XZ
+?_Erase@?$_Tree@V?$_Tmap_traits@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@U?$less@V?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@2@V?$allocator@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@@2@$0A@@std@@@std@@IAEXPAU?$_Tree_node@U?$pair@$$CBV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@V12@@std@@PAX@2@@Z
+??_G?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@MAEPAXI@Z
+??1?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@MAE@XZ
+?AssertIsDead@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@UAEXXZ
+??_GResolveOrRejectRunnable@ThenValueBase@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@UAEPAXI@Z
+??$Resolve@ABQAX@Private@?$MozPromise@PAXULaunchError@ipc@mozilla@@$0A@@mozilla@@QAEXABQAXPBD@Z
+??1SharedPreferenceSerializer@ipc@mozilla@@QAE@XZ
+??1nsHttpHandler@net@mozilla@@EAE@XZ
+?StripChars@?$nsTString@D@@QAEXPBD@Z
+?GetSpoofedUserAgent@nsRFPService@mozilla@@SAXAAV?$nsTSubstring@D@@_N@Z
+?UseSocketProcess@nsIOService@net@mozilla@@SA_N_N@Z
+??0nsHttpConnectionMgr@net@mozilla@@QAE@XZ
+XPCOMService_GetSocketTransportService
+??0EventTokenBucket@net@mozilla@@QAE@II@Z
+??0nsDequeBase@detail@mozilla@@IAE@XZ
+?UpdateRequestTokenBucket@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVEventTokenBucket@23@@Z
+?PostEvent@nsHttpConnectionMgr@net@mozilla@@AAE?AW4nsresult@@P8123@AEXHPAVARefBase@23@@ZH0@Z
+?Cancel@TokenBucketCancelable@net@mozilla@@UAG?AW4nsresult@@W44@@Z
+??0nsParentalControlsService@@QAE@XZ
+?QueryInterface@nsParentalControlsService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetParentalControlsEnabled@nsParentalControlsService@@UAG?AW4nsresult@@PA_N@Z
+?Release@nsHttpHandler@net@mozilla@@UAGKXZ
+?SetNotificationCallbacks@DocumentChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIInterfaceRequestor@@@Z
+?GetClientInfo@nsGlobalWindowInner@@UBE?AV?$Maybe@VClientInfo@dom@mozilla@@@mozilla@@XZ
+??4ClientInfo@dom@mozilla@@QAEAAV012@ABV012@@Z
+?reset@?$UniquePtr@VIPCClientInfo@dom@mozilla@@V?$DefaultDelete@VIPCClientInfo@dom@mozilla@@@3@@mozilla@@QAEXPAVIPCClientInfo@dom@2@@Z
+?GetRemoteType@ParentChannelWrapper@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AddClientChannelHelperInChild@dom@mozilla@@YA?AW4nsresult@@PAVnsIChannel@@PAVnsISerialEventTarget@@@Z
+?CreateForObject@DocumentChannel@net@mozilla@@SA?AU?$already_AddRefed@VDocumentChannel@net@mozilla@@@@PAVnsDocShellLoadState@@PAVLoadInfo@23@IPAVnsIInterfaceRequestor@@@Z
+?Release@nsAboutProtocolHandler@net@mozilla@@UAGKXZ
+?OpenURI@nsURILoader@@UAG?AW4nsresult@@PAVnsIChannel@@IPAVnsIInterfaceRequestor@@@Z
+?GetOwner@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?Release@nsDocumentOpenInfo@@UAGKXZ
+?GetAssociatedWindow@nsDocShell@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?RecvUpgradeObjectLoad@DocumentChannelChild@net@mozilla@@QAE?AVIPCResult@ipc@3@$$QAV?$function@$$A6AXABV?$MaybeDiscarded@VBrowsingContext@dom@mozilla@@@dom@mozilla@@@Z@std@@@Z
+??0ParentChannelListener@net@mozilla@@QAE@PAVnsIStreamListener@@PAVCanonicalBrowsingContext@dom@2@_N@Z
+?NotifyObservers@nsHttpHandler@net@mozilla@@AAEXPAVnsIChannel@@PBD@Z
+?SetCurrentLoadIdentifier@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@V?$Maybe@_K@3@@Z
+??0ClientInfo@dom@mozilla@@QAE@ABV012@@Z
+?QueryInterface@DocumentLoadListener@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SchemeIsData@net@mozilla@@YA_NPAVnsIURI@@@Z
+?GetOriginAttributes@BrowsingContext@dom@mozilla@@UAGXAAVOriginAttributes@3@@Z
+?CreateForDocument@LoadInfo@net@mozilla@@SA?AU?$already_AddRefed@VLoadInfo@net@mozilla@@@@PAVCanonicalBrowsingContext@dom@3@PAVnsIPrincipal@@ABVOriginAttributes@3@II@Z
+?CreateAndConfigureRealChannelForLoadState@nsDocShell@@SA_NPAVBrowsingContext@dom@mozilla@@PAVnsDocShellLoadState@@PAVLoadInfo@net@4@PAVnsIInterfaceRequestor@@PAV1@ABVOriginAttributes@4@IIAAW4nsresult@@PAPAVnsIChannel@@@Z
+?CreateRealChannelForDocument@nsDocShell@@SA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsILoadInfo@@PAVnsIInterfaceRequestor@@IABV?$nsTSubstring@_S@@1@Z
+??1StreamFilterRequest@net@mozilla@@QAE@XZ
+?OnMsgUpdateRequestTokenBucket@nsHttpConnectionMgr@net@mozilla@@AAEXHPAVARefBase@23@@Z
+?SetNotificationCallbacks@nsBaseChannel@@UAG?AW4nsresult@@PAVnsIInterfaceRequestor@@@Z
+?Release@ParentChannelListener@net@mozilla@@UAGKXZ
+?OnAfterLastPart@ParentChannelListener@net@mozilla@@UAG?AW4nsresult@@W44@@Z
+?UseDirectTaskDispatch@Private@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@QAEXPBD@Z
+?Release@ParentProcessDocumentOpenInfo@net@mozilla@@W3AGKXZ
+?Resume@nsBaseChannel@@UAG?AW4nsresult@@XZ
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@W4nsresult@@W41@$00@mozilla@@UAE@XZ
+?GetNotificationCallbacks@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsIInterfaceRequestor@@@Z
+?SetLoadFlags@nsBaseChannel@@UAG?AW4nsresult@@I@Z
+?TestSitePermissionAndPotentiallyAddExemption@nsHTTPSOnlyUtils@@SAXPAVnsIChannel@@@Z
+?GetOriginAttributes@LoadInfo@net@mozilla@@UAE?AW4nsresult@@PAVOriginAttributes@3@@Z
+?SetPropertyAsInterface@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsISupports@@@Z
+?SetAsISupports@nsVariantBase@@UAG?AW4nsresult@@PAVnsISupports@@@Z
+?AddClientChannelHelperInParent@dom@mozilla@@YA?AW4nsresult@@PAVnsIChannel@@$$QAV?$Maybe@VClientInfo@dom@mozilla@@@2@@Z
+?GetChannelResultPrincipal@nsScriptSecurityManager@@UAG?AW4nsresult@@PAVnsIChannel@@PAPAVnsIPrincipal@@@Z
+?GetChannelResultPrincipal@nsScriptSecurityManager@@AAE?AW4nsresult@@PAVnsIChannel@@PAPAVnsIPrincipal@@_N@Z
+?GetForceInheritPrincipalOverruleOwner@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetReservedClientInfo@LoadInfo@net@mozilla@@UAEABV?$Maybe@VClientInfo@dom@mozilla@@@3@XZ
+?StartDocumentLoad@CanonicalBrowsingContext@dom@mozilla@@AAE_NPAVDocumentLoadListener@net@3@@Z
+??0nsDocumentOpenInfo@@QAE@I_N@Z
+?Prepare@nsDocumentOpenInfo@@QAE?AW4nsresult@@XZ
+?NS_HasBeenCrossOrigin@@YA_NPAVnsIChannel@@_N@Z
+?GetInnerWindowID@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?GetAllowChrome@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetDisallowScript@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Destroy@RemotePermissionRequest@@QAEXXZ
+?Release@AddonContentPolicy@@UAGKXZ
+?Release@mozJSSubScriptLoader@@UAGKXZ
+?QueryInterface@nsWebBrowserContentPolicy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?InsertElementAt@nsCOMArray_base@@IAEXIU?$already_AddRefed@VnsISupports@@@@@Z
+?QueryInterface@CSPService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsNoDataProtocolContentPolicy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@AddonContentPolicy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsDataDocumentContentPolicy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@ImageBlocker@image@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsMixedContentBlocker@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ShouldLoad@nsWebBrowserContentPolicy@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?NS_CP_GetDocShellFromContext@@YAPAVnsIDocShell@@PAVnsISupports@@@Z
+?ShouldLoad@CSPService@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@nsNoDataProtocolContentPolicy@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@AddonContentPolicy@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@nsDataDocumentContentPolicy@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@ImageBlocker@image@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@nsMixedContentBlocker@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@PAF@Z
+?ShouldLoad@nsMixedContentBlocker@@SA?AW4nsresult@@_NPAVnsIURI@@PAVnsILoadInfo@@ABV?$nsTSubstring@D@@0PAF@Z
+??0nsChannelClassifier@net@mozilla@@QAE@PAVnsIChannel@@@Z
+?Start@nsChannelClassifier@net@mozilla@@QAEXXZ
+?GetStatus@nsBaseChannel@@UAG?AW4nsresult@@PAW42@@Z
+?GetStatus@nsInputStreamPump@@UAG?AW4nsresult@@PAW42@@Z
+?Release@nsChannelClassifier@net@mozilla@@UAGKXZ
+?Release@ParentProcessDocumentOpenInfo@net@mozilla@@UAGKXZ
+?PotentiallyFireHttpRequestToShortenTimout@nsHTTPSOnlyUtils@@SAXPAVDocumentLoadListener@net@mozilla@@@Z
+?GetLoadFlags@DocumentChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?OnStartRequest@nsDocLoader@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@D@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@AAEPAEPBDI@Z
+?SetBackgroundLoadIframe@nsDocLoader@@IAEXXZ
+?AddRef@nsDocShell@@UAGKXZ
+?CreateWebRenderCommands@nsDisplayItem@@UAE_NAAVDisplayListBuilder@wr@mozilla@@AAVIpcResourceUpdateQueue@34@ABVStackingContextHelper@layers@4@PAVRenderRootStateManager@74@PAVnsDisplayListBuilder@@@Z
+?AddRef@DocumentChannelChild@net@mozilla@@WGI@AGKXZ
+?Shutdown@nsHTMLDNSPrefetch@@SA?AW4nsresult@@XZ
+?Release@nsDocShell@@UAGKXZ
+?Dispatch@ThenValueBase@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@QAEXPAV23@@Z
+?MaybeRunNextCollectorSlice@nsJSContext@@SAXPAVnsIDocShell@@W4GCReason@JS@@@Z
+?GetPositionAndSize@nsDocShell@@UAG?AW4nsresult@@PAH000@Z
+?SetBoundsWithFlags@nsDocumentViewer@@UAG?AW4nsresult@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@I@Z
+?CheckDPIChange@nsDeviceContext@@QAE_NPAN@Z
+?GetEffectiveContentSandboxLevel@mozilla@@YAHXZ
+?Run@nsAppShell@@MAG?AW4nsresult@@XZ
+?StartAudioSession@widget@mozilla@@YA?AW4nsresult@@XZ
+?XRE_IsContentProcess@@YA_NXZ
+?Release@nsPropertyElement@@UAGKXZ
+?QueryInterface@nsPropertyElement@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetAsAUTF8String@?$Variant@V?$nsTString@D@@$0A@@storage@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetDetailedDescription@nsLocalHandlerApp@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?Add@SharedStringMapBuilder@ipc@dom@mozilla@@QAEXABV?$nsTString@D@@ABV?$nsTString@_S@@@Z
+??0SharedStringMap@ipc@dom@mozilla@@QAE@$$QAVSharedStringMapBuilder@123@@Z
+??4FileDescriptor@ipc@mozilla@@QAEAAV012@$$QAV012@@Z
+?BroadcastStringBundle@ContentParent@dom@mozilla@@SAXABVStringBundleDescriptor@23@@Z
+?Get@SharedStringMap@ipc@dom@mozilla@@QAE_NABV?$nsTString@D@@AAV?$nsTSubstring@_S@@@Z
+?ReinitForContent@ImageBridgeChild@layers@mozilla@@SA_N$$QAV?$Endpoint@VPImageBridgeChild@layers@mozilla@@@ipc@3@I@Z
+?Release@WakeLock@dom@mozilla@@UAGKXZ
+?GetInstance@PowerManagerService@power@dom@mozilla@@SA?AU?$already_AddRefed@VPowerManagerService@power@dom@mozilla@@@@XZ
+?RegisterWakeLockObserver@hal@mozilla@@YAXPAV?$Observer@VWakeLockInformation@hal@mozilla@@@2@@Z
+?EndAnimationFrame@XRFrame@dom@mozilla@@QAEXXZ
+?EnableWakeLockNotifications@hal_impl@mozilla@@YAXXZ
+?FirePendingEvents@nsDOMOfflineResourceList@@QAEXXZ
+?Run@nsBaseAppShell@@UAG?AW4nsresult@@XZ
+??0AutoNoJSAPI@dom@mozilla@@AAE@PAUJSContext@@@Z
+?OnProcessNextEvent@nsBaseAppShell@@UAG?AW4nsresult@@PAVnsIThreadInternal@@_N@Z
+?ProcessNextNativeEvent@nsAppShell@@MAE_N_N@Z
+?GetMessagePump@TSFTextStore@widget@mozilla@@SA?AU?$already_AddRefed@UITfMessagePump@@@@XZ
+?NativeEventCallback@nsBaseAppShell@@IAEXXZ
+CallWindowProcCrashProtected
+?GetAttribute@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAV4@@Z
+?ProcessMessage@IMEHandler@widget@mozilla@@SA_NPAVnsWindow@@IAAIAAJAAUMSGResult@23@@Z
+?ProcessMessage@TSFTextStore@widget@mozilla@@SAXPAVnsWindowBase@@IAAIAAJAAUMSGResult@23@@Z
+?IsIMM_IMEActive@TSFTextStore@widget@mozilla@@SA_NXZ
+?ProcessMessage@MouseScrollHandler@widget@mozilla@@SA_NPAVnsWindowBase@@IIJAAUMSGResult@23@@Z
+?GetInputContext@nsWindow@@UAE?AUInputContext@widget@mozilla@@XZ
+?IsIMEEnabled@WinUtils@widget@mozilla@@SA_NABUInputContext@23@@Z
+?GetOpenState@IMEHandler@widget@mozilla@@SA_NPAVnsWindow@@@Z
+?GetIMEOpenState@TSFTextStore@widget@mozilla@@SA_NXZ
+?SetIMEOpenState@TSFTextStore@widget@mozilla@@SAX_N@Z
+??1nsAutoRollup@widget@mozilla@@QAE@XZ
+?NS_HasPendingEvents@@YA_NPAVnsIThread@@@Z
+?HasMainThreadPendingTasks@TaskController@mozilla@@QAE_NXZ
+?GetRunnableForMTTask@TaskController@mozilla@@QAEPAVnsIRunnable@@_N@Z
+?Revoke@?$RunnableMethodImpl@PAVVRManager@gfx@mozilla@@P8123@AEXXZ$00$0A@$$V@detail@mozilla@@UAEXXZ
+?GetPerformanceCounterBase@nsThread@@SAPAVPerformanceCounter@mozilla@@PAVnsIRunnable@@@Z
+?GetLabeledRunnableName@nsThread@@SA_NPAVnsIRunnable@@AAV?$nsTSubstring@D@@W4EventQueuePriority@mozilla@@@Z
+?AfterProcessNextEvent@nsAppShell@@UAG?AW4nsresult@@PAVnsIThreadInternal@@_N@Z
+?MaybePokeCC@nsJSContext@@SAXXZ
+?AfterProcessTask@CycleCollectedJSContext@mozilla@@UAEXI@Z
+?PerformMicroTaskCheckPoint@CycleCollectedJSContext@mozilla@@QAE_N_N@Z
+??0AutoSlowOperation@mozilla@@QAE@XZ
+??0CallSetup@CallbackObject@dom@mozilla@@QAE@PAV123@AAVErrorResult@3@PBDW4ExceptionHandling@123@PAVRealm@JS@@_N@Z
+??0AutoIncumbentScript@dom@mozilla@@QAE@PAVnsIGlobalObject@@@Z
+?Call@PromiseJobCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?Call@JS@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@1@1ABVHandleValueArray@1@V?$MutableHandle@VValue@JS@@@1@@Z
+?loadInlineStringChars@MacroAssembler@jit@js@@QAEXURegister@23@0W4CharEncoding@23@@Z
+?NewArrayWithGroup@js@@YAPAVArrayObject@1@PAUJSContext@@IV?$Handle@PAVObjectGroup@js@@@JS@@@Z
+?SpeciesConstructor@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4JSProtoKey@@P6A_N0PAVJSFunction@@@Z@Z
+?SpeciesConstructor@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1P6A_N0PAVJSFunction@@@Z@Z
+??1CallSetup@CallbackObject@dom@mozilla@@QAE@XZ
+??1AutoIncumbentScript@dom@mozilla@@QAE@XZ
+?poison@?$OutOfLinePoisoner@$0FI@@detail@mozilla@@SAXPAXI@Z
+?CheckForInterrupt@AutoSlowOperation@mozilla@@QAEXXZ
+?allocationSite@PromiseObject@js@@QAEPAVJSObject@@XZ
+?JS_DefineElement@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$Handle@VValue@JS@@@3@I@Z
+?NotifySocketProcessPrefsChanged@nsIOService@net@mozilla@@QAEXPBD@Z
+?GetPreference@Preferences@mozilla@@SAXPAVPref@dom@2@@Z
+??0PrefValue@dom@mozilla@@QAE@$$QAV012@@Z
+??4PrefValue@dom@mozilla@@QAEAAV012@AB_N@Z
+??0PrefValue@dom@mozilla@@QAE@ABV012@@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@VHeaderEntry@ipc@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@ABV?$function@$$A6AXXZ@std@@@?$nsTArray_Impl@V?$function@$$A6AXXZ@std@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$function@$$A6AXXZ@std@@ABV12@@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$function@$$A6AXXZ@std@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+??4PrefValue@dom@mozilla@@QAEAAV012@$$QAV?$nsTString@D@@@Z
+?InstanceClassHasProtoAtDepth@dom@mozilla@@YA_NPBUJSClass@@II@Z
+?ConstructorEnabled@ChromeWorker_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?WorkerAvailable@ChromeWorker@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?CreateInterfaceObjects@ChromeWorker_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Worker_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NormalizeUSVString@dom@mozilla@@YA_NAAU?$FakeString@_S@binding_detail@12@@Z
+_ZN11encoding_rs3mem17utf16_valid_up_to17h6f81df8c44572d88E
+?Constructor@ChromeWorker@dom@mozilla@@SA?AU?$already_AddRefed@VChromeWorker@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?Constructor@WorkerPrivate@dom@mozilla@@SA?AU?$already_AddRefed@VWorkerPrivate@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@_S@@_NW4WorkerType@23@1ABV?$nsTSubstring@D@@PAUWorkerLoadInfo@23@AAVErrorResult@3@V?$nsTString@_S@@@Z
+??0WorkerLoadInfoData@dom@mozilla@@QAE@XZ
+?GetLoadInfo@WorkerPrivate@dom@mozilla@@SA?AW4nsresult@@PAUJSContext@@PAVnsPIDOMWindowInner@@PAV123@ABV?$nsTSubstring@_S@@_NW4LoadGroupBehavior@123@W4WorkerType@23@PAUWorkerLoadInfo@23@@Z
+?OverrideLoadInfoLoadGroup@WorkerPrivate@dom@mozilla@@SAXAAUWorkerLoadInfo@23@PAVnsIPrincipal@@@Z
+??0InterfaceRequestor@WorkerLoadInfoData@dom@mozilla@@QAE@PAVnsIPrincipal@@PAVnsILoadGroup@@@Z
+??0LoadContext@mozilla@@QAE@PAVnsIPrincipal@@PAVnsILoadContext@@@Z
+?MaybeAddBrowserChild@InterfaceRequestor@WorkerLoadInfoData@dom@mozilla@@QAEXPAVnsILoadGroup@@@Z
+?ChannelFromScriptURLMainThread@workerinternals@dom@mozilla@@YA?AW4nsresult@@PAVnsIPrincipal@@PAVDocument@23@PAVnsILoadGroup@@PAVnsIURI@@ABV?$Maybe@VClientInfo@dom@mozilla@@@3@IPAVnsICookieJarSettings@@PAVnsIReferrerInfo@@PAPAVnsIChannel@@@Z
+?SetLoadGroup@nsBaseChannel@@UAG?AW4nsresult@@PAVnsILoadGroup@@@Z
+?GetCaretOffset@xpcAccCaretMoveEvent@@UAG?AW4nsresult@@PAH@Z
+?Release@InterfaceRequestor@WorkerLoadInfoData@dom@mozilla@@UAGKXZ
+?Release@LoadContext@mozilla@@UAGKXZ
+?GetLoadGroup@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsILoadGroup@@@Z
+?GetUsePrivateBrowsing@LoadContext@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?SetCookieJarSettings@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAVnsICookieJarSettings@@@Z
+?SetPrincipalsAndCSPFromChannel@WorkerLoadInfo@dom@mozilla@@QAE?AW4nsresult@@PAVnsIChannel@@@Z
+?SetPrincipalsAndCSPOnMainThread@WorkerLoadInfo@dom@mozilla@@QAE?AW4nsresult@@PAVnsIPrincipal@@0PAVnsILoadGroup@@PAVnsIContentSecurityPolicy@@@Z
+?isSystemOrAddonPrincipal@nsJSPrincipals@@UAE_NXZ
+?GetForceInheritPrincipal@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?RedirectChain@LoadInfo@net@mozilla@@UAEABV?$nsTArray@V?$nsCOMPtr@VnsIRedirectHistoryEntry@@@@@@XZ
+?Create@StoragePrincipalHelper@mozilla@@SA?AW4nsresult@@PAVnsIChannel@@PAVnsIPrincipal@@_NPAPAV5@@Z
+?SchemeIsViewSource@net@mozilla@@YA_NPAVnsIURI@@@Z
+?GetPartitionKey@CookieJarSettings@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?CSP_ShouldResponseInheritCSP@@YA_NPAVnsIChannel@@@Z
+?GetIsAddonOrExpandedAddonPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetRegularPrincipalOriginAttributes@StoragePrincipalHelper@mozilla@@SA_NPAVnsILoadGroup@@AAVOriginAttributes@2@@Z
+?GetOriginAttributes@LoadContext@mozilla@@UAGXAAVOriginAttributes@2@@Z
+?GetOrigin@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?PrincipalIsValid@WorkerLoadInfo@dom@mozilla@@QBE_NXZ
+?reset@?$UniquePtr@VCSPInfo@ipc@mozilla@@V?$DefaultDelete@VCSPInfo@ipc@mozilla@@@3@@mozilla@@QAEXPAVCSPInfo@ipc@2@@Z
+??1WorkerLoadInfoData@dom@mozilla@@QAE@XZ
+?GetOrCreateService@RuntimeService@workerinternals@dom@mozilla@@SAPAV1234@XZ
+?RegisterDebuggerBindings@WorkerPrivate@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?UnregisterWorker@RuntimeService@workerinternals@dom@mozilla@@QAEXAAVWorkerPrivate@34@@Z
+?ApplyGCSetting@JSSettings@workerinternals@dom@mozilla@@QAE_NW4JSGCParamKey@@V?$Maybe@I@4@@Z
+?ClampedHardwareConcurrency@RuntimeService@workerinternals@dom@mozilla@@QBEIXZ
+?ResumeWorkersForWindow@RuntimeService@workerinternals@dom@mozilla@@QAEXABVnsPIDOMWindowInner@@@Z
+?GetAcceptLanguages@Navigator@dom@mozilla@@SAXAAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?GetLocalizedString@Preferences@mozilla@@SA?AW4nsresult@@PBDAAV?$nsTSubstring@_S@@W4PrefValueKind@2@@Z
+??0WorkerLoadInfoData@dom@mozilla@@QAE@$$QAU012@@Z
+??0WorkerEventTarget@dom@mozilla@@QAE@PAVWorkerPrivate@12@W4Behavior@012@@Z
+?JS_GetDefaultLocale@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@@Z
+?getDefaultLocale@JSRuntime@@QAEPBDXZ
+?RegisterWorker@RuntimeService@workerinternals@dom@mozilla@@QAE_NAAVWorkerPrivate@34@@Z
+?WrapObject@WorkerLocation@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?AppName@Navigator@dom@mozilla@@SAXAAV?$nsTSubstring@_S@@PAVnsIPrincipal@@_N@Z
+?GetAppVersion@Navigator@dom@mozilla@@SA?AW4nsresult@@AAV?$nsTSubstring@_S@@PAVnsIPrincipal@@_N@Z
+??$mozCreateComponent@VnsHttpHandler@net@mozilla@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?QueryInterface@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetAppVersion@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetPlatform@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetPlatform@Navigator@dom@mozilla@@SA?AW4nsresult@@AAV?$nsTSubstring@_S@@PAVnsIPrincipal@@_N@Z
+?Start@WorkerPrivate@dom@mozilla@@QAE_NXZ
+?Create@WorkerThread@dom@mozilla@@SA?AV?$SafeRefPtr@VWorkerThread@dom@mozilla@@@3@ABVWorkerThreadFriendKey@23@@Z
+??$MakeNotNull@PAVThreadEventQueue@mozilla@@V?$UniquePtr@VEventQueue@mozilla@@V?$DefaultDelete@VEventQueue@mozilla@@@2@@2@@mozilla@@YA?AV?$NotNull@PAVThreadEventQueue@mozilla@@@0@$$QAV?$UniquePtr@VEventQueue@mozilla@@V?$DefaultDelete@VEventQueue@mozilla@@@2@@0@@Z
+?SetPriority@nsThread@@UAG?AW4nsresult@@H@Z
+?SetThread@WorkerPrivate@dom@mozilla@@QAEXPAVWorkerThread@23@@Z
+?GetOrCreate@WorkerDebuggerManager@dom@mozilla@@SAPAV123@XZ
+?SetWorkerPrivateInWorkerThread@WorkerPrivate@dom@mozilla@@QAEXPAVWorkerThread@23@@Z
+?AddRef@IdleSchedulerParent@ipc@mozilla@@UAGKXZ
+?Release@WorkerDebuggerManager@dom@mozilla@@UAGKXZ
+?RegisterDebugger@WorkerDebuggerManager@dom@mozilla@@QAEXPAVWorkerPrivate@23@@Z
+?AddObserver@nsThread@@UAG?AW4nsresult@@PAVnsIThreadObserver@@@Z
+?AddObserver@SynchronizedEventQueue@mozilla@@QAEXPAVnsIThreadObserver@@@Z
+?EnsurePerformanceStorage@WorkerPrivate@dom@mozilla@@QAEXXZ
+?Create@WorkerCSPEventListener@dom@mozilla@@SA?AU?$already_AddRefed@VWorkerCSPEventListener@dom@mozilla@@@@PAVWorkerPrivate@23@@Z
+?Create@PerformanceStorageWorker@dom@mozilla@@SA?AU?$already_AddRefed@VPerformanceStorageWorker@dom@mozilla@@@@PAVWorkerPrivate@23@@Z
+?PreDispatch@WorkerDebuggeeRunnable@dom@mozilla@@MAE_NPAVWorkerPrivate@23@@Z
+?DispatchInternal@WorkerRunnable@dom@mozilla@@MAE_NXZ
+?AddRef@FetchDriver@dom@mozilla@@UAGKXZ
+?Create@WeakWorkerRef@dom@mozilla@@SA?AU?$already_AddRefed@VWeakWorkerRef@dom@mozilla@@@@PAVWorkerPrivate@23@$$QAV?$function@$$A6AXXZ@std@@@Z
+?Traverse@WorkerPrivate@dom@mozilla@@QAEXAAVnsCycleCollectionTraversalCallback@@@Z
+?IncrementDispatchCounter@PerformanceCounter@mozilla@@QAEXVDispatchCategory@2@@Z
+?PostDispatch@WorkerRunnable@dom@mozilla@@MAEXPAVWorkerPrivate@23@_N@Z
+?RemoveChildWorker@WorkerPrivate@dom@mozilla@@QAEXPAV123@@Z
+?Constructor@Worker@dom@mozilla@@SA?AU?$already_AddRefed@VWorker@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUWorkerOptions@23@AAVErrorResult@3@@Z
+?WrapObject@ChromeWorker@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ChromeWorker_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChromeWorker@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?TryPreserveWrapper@dom@mozilla@@YA_NV?$Handle@PAVJSObject@@@JS@@@Z
+?PostMessage@Worker@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$Sequence@PAVJSObject@@@23@AAVErrorResult@3@@Z
+?CreateJSValueFromSequenceOfObject@nsContentUtils@@SA?AW4nsresult@@PAUJSContext@@ABV?$Sequence@PAVJSObject@@@dom@mozilla@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?CallerInnerWindow@nsContentUtils@@SAPAVnsGlobalWindowInner@@XZ
+?Dispatch@WorkerRunnable@dom@mozilla@@QAE_NXZ
+?Release@WorkerRunnable@dom@mozilla@@UAGKXZ
+?math_floor@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?functionExtraBodyVarScope@JSScript@@QBEPAVVarScope@js@@XZ
+?HandleCodeCoverageAtPrologue@jit@js@@YAXPAVBaselineFrame@12@@Z
+?isFunctionFrame@FrameIter@js@@QBE_NXZ
+?calleeTemplate@FrameIter@js@@QBEPAVJSFunction@@XZ
+?ResumeKindToAtom@js@@YAPAVJSAtom@@PAUJSContext@@W4GeneratorResumeKind@1@@Z
+??1CycleCollectedJSContext@mozilla@@MAE@XZ
+?ClearKeptObjects@JS@@YAXPAUJSContext@@@Z
+?GetMicroTaskQueue@CycleCollectedJSContext@mozilla@@QAEAAV?$queue@V?$RefPtr@VMicroTaskRunnable@mozilla@@@@V?$deque@V?$RefPtr@VMicroTaskRunnable@mozilla@@@@V?$allocator@V?$RefPtr@VMicroTaskRunnable@mozilla@@@@@std@@@std@@@std@@XZ
+??1AutoNoJSAPI@dom@mozilla@@QAE@XZ
+?RemoveElementsAt@?$nsTArray_Impl@V?$RefPtr@VnsAtom@@@@UnsTArrayInfallibleAllocator@@@@QAEXII@Z
+?OnThreadCreated@MSCOMInitThreadPoolListener@mozilla@@UAG?AW4nsresult@@XZ
+?GetCubebContext@CubebUtils@mozilla@@YAPAUcubeb@@XZ
+??0nsWebBrowserFind@@QAE@XZ
+?RemoveElementsAtUnsafe@?$nsTArray_Impl@V?$UniquePtr@UPerThreadTaskGroup@AutoTaskDispatcher@mozilla@@V?$DefaultDelete@UPerThreadTaskGroup@AutoTaskDispatcher@mozilla@@@3@@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXII@Z
+?Run@?$RunnableMethodImpl@PAV?$Listener@V?$RefPtr@VAudioData@mozilla@@@@@detail@mozilla@@P8123@AEX$$QAV?$RefPtr@VAudioData@mozilla@@@@@Z$00$0A@$$QAV4@@detail@mozilla@@UAG?AW4nsresult@@XZ
+?GetUntrustedModulesData@DllServices@mozilla@@QAE?AV?$RefPtr@V?$MozPromise@V?$Maybe@VUntrustedModulesData@mozilla@@@mozilla@@W4nsresult@@$00@mozilla@@@@XZ
+?NS_DispatchToMainThreadQueue@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@W4EventQueuePriority@mozilla@@@Z
+?Shutdown@LazyIdleThread@mozilla@@UAG?AW4nsresult@@XZ
+?Release@nsBaseAppShell@@W7AGKXZ
+?GetAuthCacheKeys@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?GetEnabled@nsXULAppInfo@@UAG?AW4nsresult@@PA_N@Z
+?Run@?$RunnableMethodImpl@PAUIDispatch@@P8IUnknown@@AGKXZ$0A@$0A@$$V@detail@mozilla@@UAG?AW4nsresult@@XZ
+?AsyncShutdown@nsThread@@UAG?AW4nsresult@@XZ
+?GetLastLongTaskEnd@nsThread@@UAG?AW4nsresult@@PAVTimeStamp@mozilla@@@Z
+??_G?$RunnableMethodImpl@V?$RefPtr@VnsIThread@@@@P8nsIThread@@AG?AW4nsresult@@XZ$00$0A@$$V@detail@mozilla@@EAEPAXI@Z
+?Quit@MessagePumpDefault@base@@UAEXXZ
+?CloseForCurrentThread@BackgroundChild@ipc@mozilla@@SAXXZ
+?IsEmpty@?$EventQueueInternal@$0BA@@detail@mozilla@@QAE_NABV?$BaseAutoLock@AAVMutex@mozilla@@@23@@Z
+??1MessageLoop@@UAE@XZ
+?_Erase@?$_Tree@V?$_Tmap_traits@HV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@U?$less@H@2@V?$allocator@U?$pair@$$CBHV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@std@@@2@$0A@@std@@@std@@IAEXPAU?$_Tree_node@U?$pair@$$CBHV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@std@@PAX@2@@Z
+??1MessagePump@ipc@mozilla@@MAE@XZ
+?AddFromPrincipal@PermissionManager@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@ABV?$nsTSubstring@D@@II_J@Z
+?PopulateFromOrigin@OriginAttributes@mozilla@@QAE_NABV?$nsTSubstring@D@@AAV3@@Z
+??$mozCreateComponent@VnsHttpsHandler@net@mozilla@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?Init@nsHttpsHandler@net@mozilla@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsHttpsHandler@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsHttpsHandler@net@mozilla@@UAGKXZ
+?GetProtocolFlags@nsHttpsHandler@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?AddInternal@PermissionManager@mozilla@@AAE?AW4nsresult@@PAVnsIPrincipal@@ABV?$nsTSubstring@D@@I_JI22W4NotifyOperationType@12@W4DBOperationType@12@_NPBV5@@Z
+?UpdateDelegatedPermission@PermissionDelegateHandler@mozilla@@QAEXABV?$nsTSubstring@D@@@Z
+?GetOriginSuffix@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?PopulateFromSuffix@OriginAttributes@mozilla@@QAE_NABV?$nsTSubstring@D@@@Z
+?GetDefaultRate@AudioDeviceInfo@@UAG?AW4nsresult@@PAI@Z
+?GetFlagsForURI@nsAboutProtocolHandler@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAI@Z
+?GetProtocolFlags@nsAboutProtocolHandler@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?NS_GetAboutModule@@YA?AW4nsresult@@PAVnsIURI@@PAPAVnsIAboutModule@@@Z
+?Create@AboutRedirector@browser@mozilla@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?MaxCompressedLength@snappy@@YAII@Z
+?SetGrowthIncrement@Connection@storage@mozilla@@UAG?AW4nsresult@@HABV?$nsTSubstring@D@@@Z
+??0AsyncStatement@storage@mozilla@@QAE@XZ
+?initialize@AsyncStatement@storage@mozilla@@QAE?AW4nsresult@@PAVConnection@23@PAUsqlite3@@ABV?$nsTSubstring@D@@@Z
+?GetName@?$ProxyReleaseEvent@VPromise@dom@mozilla@@@detail@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+??R?$DefaultDelete@VEventQueue@mozilla@@@mozilla@@QBEXPAVEventQueue@1@@Z
+??$EnsureNotUsingAutoArrayBuffer@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$function@$$A6AXXZ@std@@@@@@IAE_NI@Z
+?Clear@?$nsTArray_Impl@V?$nsTArray@E@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+??_GResolveOrRejectRunnable@ThenValueBase@?$MozPromise@W4nsresult@@W41@$00@mozilla@@UAEPAXI@Z
+?OnStartRequest@nsBaseChannel@@EAG?AW4nsresult@@PAVnsIRequest@@@Z
+?SetSrcdocData@nsInputStreamChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?OnDataAvailable@nsBaseChannel@@EAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?CustomWriteTransferHandler@StructuredCloneHolderBase@dom@mozilla@@UAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAIPAW4TransferableOwnership@6@PAPAXPA_K@Z
+?SetController@TaskbarPreview@widget@mozilla@@UAG?AW4nsresult@@PAVnsITaskbarPreviewController@@@Z
+?OnTransportStatus@nsBaseChannel@@UAG?AW4nsresult@@PAVnsITransport@@W42@_J2@Z
+?Close@nsPipeInputStream@@UAG?AW4nsresult@@XZ
+?CloseWithStatus@nsPipeInputStream@@UAG?AW4nsresult@@W42@@Z
+?OnStopRequest@nsBaseChannel@@EAG?AW4nsresult@@PAVnsIRequest@@W42@@Z
+?Release@nsInputStreamPump@@UAGKXZ
+?Release@AsyncScriptCompiler@@UAGKXZ
+?ConvertToUTF16@ScriptLoader@dom@mozilla@@SA?AW4nsresult@@PAVnsIChannel@@PBEIABV?$nsTSubstring@_S@@PAVDocument@23@AAPA_SAAI@Z
+encoding_new_decoder_without_bom_handling
+decoder_decode_to_utf16
+_ZN11encoding_rs7Decoder15decode_to_utf1617h2fc3ec37390769e9E
+?FreeAll@FreeOMTPointers@nsSegmentedBuffer@@QAEXXZ
+??1?$nsTArray_Impl@VInputStreamParams@ipc@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?CompileGlobalScriptToStencil@frontend@js@@YA?AV?$UniquePtr@UCompilationInfo@frontend@js@@U?$DeletePolicy@UCompilationInfo@frontend@js@@@JS@@@mozilla@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@_S@7@W4ScopeKind@2@@Z
+?CompileGlobalScriptToStencil@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@AAV?$SourceText@_S@JS@@W4ScopeKind@2@@Z
+??$assignSource@_S@ScriptSource@js@@QAE_NPAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@_S@4@@Z
+??0SharedImmutableString@js@@AAE@AAVGuard@?$ExclusiveData@UInner@SharedImmutableStringsCache@js@@@1@PAVStringBox@SharedImmutableStringsCache@1@@Z
+??0?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE@PAUJSContext@@PAVParserAtomsTable@12@ABVReadOnlyCompileOptions@JS@@PB_SI@Z
+?globalBody@?$Parser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAEPAVListNode@23@PAVGlobalSharedContext@23@@Z
+??0?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@PB_SI_NAAUCompilationInfo@12@AAUCompilationState@12@PAV?$Parser@VSyntaxParseHandler@frontend@js@@_S@12@PAVBaseScript@2@@Z
+?consumeOptionalHashbangComment@?$GeneralTokenStreamChars@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAEXXZ
+?getTokenInternal@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NQAW4TokenKind@23@W4Modifier@Token@23@@Z
+?Observe@nsAppShell@@MAG?AW4nsresult@@PAVnsISupports@@PBDPB_S@Z
+?PlatformDisabledState@a11y@mozilla@@YA?AW4EPlatformDisabledState@12@XZ
+?getStringOrTemplateToken@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NDW4Modifier@Token@23@PAW4TokenKind@23@@Z
+?StringEndsWith@@YA_NABV?$nsTSubstring@_S@@0P6AHPB_S1II@Z@Z
+?statementListItem@?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAEPAVParseNode@23@W4YieldHandling@23@_N@Z
+?bindingIdentifier@?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@IAEPBVParserName@23@W4YieldHandling@23@@Z
+?AllocPRemoteWorkerServiceChild@BackgroundChildImpl@ipc@mozilla@@MAEPAVPRemoteWorkerServiceChild@dom@3@XZ
+??0PRemoteWorkerServiceChild@dom@mozilla@@QAE@XZ
+?SendPRemoteWorkerServiceConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPRemoteWorkerServiceChild@dom@3@PAV453@@Z
+?SendPServiceWorkerConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPServiceWorkerChild@dom@3@PAV453@ABVIPCServiceWorkerDescriptor@53@@Z
+?Write@?$IPDLParamTraits@PAVPRemoteWorkerServiceChild@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPRemoteWorkerServiceChild@dom@3@@Z
+?functionFormalParametersAndBody@?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAE_NW4InHandling@23@W4YieldHandling@23@PAPAVFunctionNode@23@W4FunctionSyntaxKind@23@ABV?$Maybe@I@mozilla@@_N@Z
+?AllocPRemoteWorkerServiceParent@BackgroundParentImpl@ipc@mozilla@@MAEPAVPRemoteWorkerServiceParent@dom@3@XZ
+??0RemoteWorkerServiceParent@dom@mozilla@@QAE@XZ
+??0PRemoteWorkerServiceParent@dom@mozilla@@QAE@XZ
+?RecvPRemoteWorkerServiceConstructor@BackgroundParentImpl@ipc@mozilla@@MAE?AVIPCResult@23@PAVPRemoteWorkerServiceParent@dom@3@@Z
+?RegisterActor@RemoteWorkerManager@dom@mozilla@@QAEXPAVRemoteWorkerServiceParent@23@@Z
+?IsOtherProcessActor@BackgroundParent@ipc@mozilla@@SA_NPAVPBackgroundParent@23@@Z
+?computeLineAndColumn@?$GeneralTokenStreamChars@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@IBEXIPAI0@Z
+?IntersectStrips@Band@regiondetails@@QAEXABU12@@Z
+?GetInfoForChrome@QuotaManager@quota@dom@mozilla@@SA?AUQuotaInfo@234@XZ
+?GetStorageId@QuotaManager@quota@dom@mozilla@@SAXW4PersistenceType@234@ABV?$nsTSubstring@D@@W4Type@Client@234@AAV6@@Z
+?GetOrCreate@QuotaManager@quota@dom@mozilla@@SAXPAVnsIRunnable@@PAVnsIEventTarget@@@Z
+??$GetDecimalInteger@_S@js@@YA_NPAUJSContext@@PB_S1PAN@Z
+?EnableQuotaCheck@QuotaObject@quota@dom@mozilla@@QAEXXZ
+?QM_NewLocalFile@quota@dom@mozilla@@YA?AV?$Result@V?$nsCOMPtr@VnsIFile@@@@W4nsresult@@@3@ABV?$nsTSubstring@_S@@@Z
+?StartsWithDiskDesignatorAndBackslash@FilePreferences@mozilla@@YA_NABV?$nsTSubstring@_S@@@Z
+?Length@?$nsTSubstringTuple@D@@QBEIXZ
+?concatAtoms@ParserAtomsTable@frontend@js@@QAEPBVParserAtom@23@PAUJSContext@@V?$Range@PBVParserAtom@frontend@js@@@mozilla@@@Z
+?CreateQuotaClient@indexedDB@dom@mozilla@@YA?AV?$RefPtr@VClient@quota@dom@mozilla@@@@XZ
+?CreateQuotaClient@cache@dom@mozilla@@YA?AU?$already_AddRefed@VClient@quota@dom@mozilla@@@@XZ
+?RemoveListener@PrincipalVerifier@cache@dom@mozilla@@QAEXPAVListener@1234@@Z
+?CreateQuotaClient@simpledb@dom@mozilla@@YA?AU?$already_AddRefed@VClient@quota@dom@mozilla@@@@XZ
+?NextGenLocalStorageEnabled@dom@mozilla@@YA_NXZ
+?CreateQuotaClient@localstorage@dom@mozilla@@YA?AU?$already_AddRefed@VClient@quota@dom@mozilla@@@@XZ
+?NS_DispatchToCurrentThread@@YA?AW4nsresult@@PAVnsIRunnable@@@Z
+?NS_NewTimerWithCallback@@YA?AW4nsresult@@PAPAVnsITimer@@PAVnsITimerCallback@@IIPAVnsIEventTarget@@@Z
+?GetDirectoryForOrigin@QuotaManager@quota@dom@mozilla@@QBE?AV?$Result@V?$nsCOMPtr@VnsIFile@@@@W4nsresult@@@4@W4PersistenceType@234@ABV?$nsTSubstring@D@@@Z
+?ReplaceChar@?$nsTString@D@@QAEXPBDD@Z
+?AppendIntDec@?$nsTSubstring@_S@@AAEXI@Z
+nsEscape
+?OpenDirectory@QuotaManager@quota@dom@mozilla@@QAE?AU?$already_AddRefed@VDirectoryLock@quota@dom@mozilla@@@@W4PersistenceType@234@ABUGroupAndOrigin@234@W4Type@Client@234@_NV?$RefPtr@VOpenDirectoryListener@quota@dom@mozilla@@@@@Z
+?Log@DirectoryLock@quota@dom@mozilla@@QBEXXZ
+??$destroy@V?$Variant@VOrigin@OriginScope@quota@dom@mozilla@@VPrefix@2345@VPattern@2345@UNull@2345@@mozilla@@@?$VariantImplementation@E$01VPattern@OriginScope@quota@dom@mozilla@@UNull@2345@@detail@mozilla@@SAXAAV?$Variant@VOrigin@OriginScope@quota@dom@mozilla@@VPrefix@2345@VPattern@2345@UNull@2345@@2@@Z
+?IsOSMetadata@QuotaManager@quota@dom@mozilla@@SA_NABV?$nsTSubstring@_S@@@Z
+?AddRef@DirectoryLockImpl@quota@dom@mozilla@@UAGKXZ
+?OpenOutputStream@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@_J0PAPAVnsIOutputStream@@@Z
+??$Compare@U?$CompareWrapper@V?$nsDefaultComparator@UIndexDataValue@indexedDB@dom@mozilla@@U1234@@@UIndexDataValue@indexedDB@dom@mozilla@@$0A@@detail@@@?$nsTArray_Impl@UIndexDataValue@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@SAHPBX0PAX@Z
+??$destroy@V?$Variant@VOrigin@OriginScope@quota@dom@mozilla@@VPrefix@2345@VPattern@2345@UNull@2345@@mozilla@@@?$VariantImplementation@E$0A@VOrigin@OriginScope@quota@dom@mozilla@@VPrefix@2345@VPattern@2345@UNull@2345@@detail@mozilla@@SAXAAV?$Variant@VOrigin@OriginScope@quota@dom@mozilla@@VPrefix@2345@VPattern@2345@UNull@2345@@2@@Z
+?EnsureStorageIsInitialized@QuotaManager@quota@dom@mozilla@@QAE?AW4nsresult@@XZ
+?GetIsForcedValid@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetIsForcedValid@CacheEntry@net@mozilla@@QAE?AW4nsresult@@PA_N@Z
+?OpenAlternativeInputStream@CacheEntry@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIInputStream@@@Z
+?nsPipeOutputStream_GetInterfacesHelper@@YG?AW4nsresult@@AAV?$nsTArray@UnsID@@@@@Z
+??0nsAsyncStreamCopier@@QAE@XZ
+?QueryInterface@nsAsyncStreamCopier@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsAsyncStreamCopier@@UAGKXZ
+?SetTRRMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@W4TRRMode@nsIRequest@@@Z
+?GetDirectoryMetadata2WithRestore@QuotaManager@quota@dom@mozilla@@QAE?AW4nsresult@@PAVnsIFile@@_NPA_JPA_NAAUQuotaInfo@234@_N@Z
+?NS_NewRequestObserverProxy@@YA?AW4nsresult@@PAPAVnsIRequestObserver@@PAV2@PAVnsISupports@@@Z
+?GetMatchedList@RemoteWebProgressRequest@dom@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+??0Dashboard@net@mozilla@@QAE@XZ
+?NS_OutputStreamIsBuffered@@YA_NPAVnsIOutputStream@@@Z
+?Update@StorageDBUpdater@dom@mozilla@@YA?AW4nsresult@@PAVmozIStorageConnection@@@Z
+XPCOMService_GetAsyncShutdownService
+?Stub9@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?IndexExists@Connection@storage@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PA_N@Z
+?OnMessageReceived@PInProcessParent@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?OnMessageReceived@PWindowGlobalParent@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?Read@?$IPDLParamTraits@VIPCClientInfo@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVIPCClientInfo@dom@3@@Z
+?Read@?$IPDLParamTraits@V?$Maybe@VCSPInfo@ipc@mozilla@@@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$Maybe@VCSPInfo@ipc@mozilla@@@3@@Z
+?reset@?$Maybe@VCSPInfo@ipc@mozilla@@@mozilla@@QAEXXZ
+?RecvSetClientInfo@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABVIPCClientInfo@23@@Z
+??0ClientInfo@dom@mozilla@@QAE@ABVIPCClientInfo@12@@Z
+?PushDisplayItems@TextureHost@layers@mozilla@@UAEXAAVDisplayListBuilder@wr@3@ABU?$Rect@MULayoutPixel@wr@mozilla@@@53@1W4ImageRendering@53@ABV?$Range@UImageKey@wr@mozilla@@@3@V?$EnumSet@W4PushDisplayItemFlag@TextureHost@layers@mozilla@@I@3@@Z
+?Accumulate@Telemetry@mozilla@@YAXW4HistogramID@12@ABV?$nsTString@D@@I@Z
+?RegisterCompositionPayload@nsRefreshDriver@@QAEXABUCompositionPayload@layers@mozilla@@@Z
+?profiler_get_inner_window_id_from_docshell@@YA?AV?$Maybe@_K@mozilla@@PAVnsIDocShell@@@Z
+?EnsurePersistentOriginIsInitialized@QuotaManager@quota@dom@mozilla@@QAE?AV?$Result@U?$pair@V?$nsCOMPtr@VnsIFile@@@@_N@std@@W4nsresult@@@4@ABUQuotaInfo@234@@Z
+?UpdateDisplayPortMarginsFromPendingMessages@DisplayPortUtils@mozilla@@SAXXZ
+?EnumerateSubDocuments@Document@dom@mozilla@@QAEXV?$FunctionRef@$$A6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@3@@Z
+??0Run@?$LogTaskBase@VPresShell@mozilla@@@mozilla@@QAE@PAVPresShell@2@PAX_N@Z
+?DoFlushPendingNotifications@PresShell@mozilla@@AAEXUChangesToFlush@2@@Z
+?FlushExternalResources@Document@dom@mozilla@@QAEXW4FlushType@3@@Z
+?FlushPendingNotifications@Document@dom@mozilla@@QAEXUChangesToFlush@3@@Z
+?FlushPendingMediaFeatureValuesChanged@nsPresContext@@QAE_NXZ
+?EnsureTemporaryStorageIsInitialized@QuotaManager@quota@dom@mozilla@@QAE?AW4nsresult@@XZ
+?MediumFeaturesChanged@ServoStyleSet@mozilla@@QAE?AUStyleRestyleHint@2@W4MediaFeatureChangeReason@2@@Z
+Servo_StyleSet_MediumFeaturesChanged
+_ZN5style5gecko13media_queries6Device21reset_computed_values17hf732835ed054caf1E
+unic_langid_new
+unic_langid_get_script
+_ZN71_$LT$nsstring..nsCStr$u20$as$u20$core..convert..From$LT$$RF$str$GT$$GT$4from17h85cd2ff44d926305E
+unic_langid_destroy
+Gecko_ComputedStyle_Destroy
+Gecko_Destroy_nsStyleFont
+??1nsFont@@QAE@XZ
+??1nsStyleList@@QAE@XZ
+??1nsStyleText@@QAE@XZ
+??1nsStyleUI@@QAE@XZ
+??1nsStyleSVG@@QAE@XZ
+??1nsStyleBackground@@QAE@XZ
+??1nsStylePosition@@QAE@XZ
+??1nsStyleDisplay@@QAE@XZ
+??1nsStyleContent@@QAE@XZ
+Gecko_Destroy_nsStyleMargin
+Gecko_Destroy_nsStylePadding
+??1nsStyleBorder@@QAE@XZ
+??1?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QAE@XZ
+??1?$StyleGenericBorderRadius@TStyleLengthPercentageUnion@mozilla@@@mozilla@@QAE@XZ
+??1nsStyleSVGReset@@QAE@XZ
+??1Layer@nsStyleImageLayers@@QAE@XZ
+??1nsStyleEffects@@QAE@XZ
+?Clear@?$StyleOwnedSlice@U?$StyleGenericFilter@UStyleAngle@mozilla@@MMUStyleCSSPixelLength@2@U?$StyleGenericSimpleShadow@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UStyleCSSPixelLength@2@U32@@2@UStyleComputedUrl@2@@mozilla@@@mozilla@@QAEXXZ
+_ZN5style7stylist7Stylist35media_features_change_changed_style17h301a838b9fa83e37E
+_ZN5style7stylist7Stylist30force_stylesheet_origins_dirty17h63309fa5e8e68e72E
+?MarkUserFontSetDirty@Document@dom@mozilla@@QAEXXZ
+?RebuildAllStyleData@RestyleManager@mozilla@@QAEXW4nsChangeHint@@UStyleRestyleHint@2@@Z
+?ClearCachedStyleData@ServoStyleSet@mozilla@@QAEXXZ
+Servo_StyleSet_RebuildCachedData
+_ZN5style5gecko13media_queries6Device19rebuild_cached_data17h0ff1384df42e1ec4E
+?NS_NewLocalFileInputStream@@YA?AV?$Result@V?$nsCOMPtr@VnsIInputStream@@@@W4nsresult@@@mozilla@@PAVnsIFile@@HHH@Z
+?AppendDocumentLevelNativeAnonymousContentTo@nsContentUtils@@SAXPAVDocument@dom@mozilla@@AAV?$nsTArray@PAVnsIContent@@@@@Z
+?GetRootScrollFrame@PresShell@mozilla@@QBEPAVnsIFrame@@XZ
+?GetCanvasFrame@PresShell@mozilla@@QBEPAVnsCanvasFrame@@XZ
+Servo_NoteExplicitHints
+_ZN5style5gecko7wrapper12GeckoElement19note_explicit_hints17hcb118f4aeb97c6f2E
+?NotifyMediaFeatureValuesChanged@Document@dom@mozilla@@QAEXXZ
+?UpdateStylist@ServoStyleSet@mozilla@@AAEXXZ
+?Create@nsBufferedInputStream@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+Servo_StyleSet_FlushStyleSheets
+_ZN5style12invalidation11stylesheets25StylesheetInvalidationSet8is_empty17h8706ac9b40fc8645E
+_ZN81_$LT$style..stylist..UA_CASCADE_DATA_CACHE$u20$as$u20$core..ops..deref..Deref$GT$5deref17h69dfbac853d44ddbE
+?Tell@nsBufferedStream@@UAG?AW4nsresult@@PA_J@Z
+_ZN5style10rule_cache9RuleCache3new17hef5f8e04fca1f4e2E
+?GetInputStream@nsBufferedInputStream@@QAE?AU?$already_AddRefed@VnsIInputStream@@@@XZ
+?NS_NewObjectInputStream@@YA?AU?$already_AddRefed@VnsIObjectInputStream@@@@PAVnsIInputStream@@@Z
+?Read64@nsBinaryInputStream@@UAG?AW4nsresult@@PA_K@Z
+NS_NewAppServicesLogger
+_ZN135_$LT$style..stylesheets..rules_iterator..EffectiveRules$u20$as$u20$style..stylesheets..rules_iterator..NestedRuleIterationCondition$GT$13process_media17hc4a68b1a879e567eE
+_ZN5style13media_queries10media_list9MediaList8evaluate17h4bc9249c487ddce5E
+_ZN5style13media_queries15media_condition14MediaCondition7matches17h9006adf398d3aaa8E
+Gecko_MediaFeatures_GetMonochromeBitsPerPixel
+?NS_CopySegmentToBuffer@@YA?AW4nsresult@@PAVnsIInputStream@@PAXPBDIIPAI@Z
+?Release@nsBinaryInputStream@@UAGKXZ
+?GetNetAddr@nsNetAddr@@UAG?AW4nsresult@@PATNetAddr@net@mozilla@@@Z
+Gecko_MediaFeatures_GetResolution
+?ShouldResistFingerprinting@nsContentUtils@@SA_NPBVDocument@dom@mozilla@@@Z
+Gecko_MediaFeatures_IsResourceDocument
+Gecko_MediaFeatures_HasSystemMetric
+?InitSystemMetrics@nsMediaFeatures@@SAXXZ
+??$AcquireFileInfo@V<lambda_1>@?0??GetFileInfo@?$FileManagerBase@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@QBE?AV?$SafeRefPtr@V?$FileInfoT@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@@6@_J@Z@@?$FileManagerBase@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@ABE?AV?$SafeRefPtr@V?$FileInfoT@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@@3@ABV<lambda_1>@?0??GetFileInfo@0123@QBE?AV43@_J@Z@@Z
+_ZN135_$LT$style..stylesheets..rules_iterator..EffectiveRules$u20$as$u20$style..stylesheets..rules_iterator..NestedRuleIterationCondition$GT$14process_import17h4d7b52f4aeae6866E
+_ZN117_$LT$style..stylesheets..import_rule..ImportSheet$u20$as$u20$style..stylesheets..stylesheet..StylesheetInDocument$GT$5rules17ha5876695cf3e9b20E
+?StringEndsWith@@YA_NABV?$nsTSubstring@_S@@0@Z
+Gecko_MediaFeatures_PrefersReducedMotion
+_ZN5style7stylist11CascadeData3new17h09629a6df57aa935E
+_ZN5style23applicable_declarations25ApplicableDeclarationBits3new17h7c4851cad59d02cfE
+_ZN5style7stylist4Rule3new17h1a757bffea6e8695E
+_ZN5style12invalidation7element16invalidation_map15InvalidationMap13note_selector17h02108c2f99580a0aE
+_ZN94_$LT$style..stylist..StylistSelectorVisitor$u20$as$u20$selectors..visitor..SelectorVisitor$GT$22visit_complex_selector17h946252c227da9186E
+_ZN94_$LT$style..stylist..StylistSelectorVisitor$u20$as$u20$selectors..visitor..SelectorVisitor$GT$21visit_simple_selector17hdc177037b349a7b2E
+_ZN78_$LT$style..stylist..Rule$u20$as$u20$style..selector_map..SelectorMapEntry$GT$8selector17hb1e1d512ff7a7efdE
+_ZN5style12selector_map19specific_bucket_for17h453b7db5c453e62fE
+_ZN5style5gecko15selector_parser16NonTSPseudoClass10state_flag17h3d292e32f1230014E
+_ZN94_$LT$style..stylist..StylistSelectorVisitor$u20$as$u20$selectors..visitor..SelectorVisitor$GT$19visit_selector_list17h1892e6fb6793113fE
+_ZN9hashglobe5table20calculate_allocation17hc8462d9cdcd2e94eE
+_ZN5style7stylist29RevalidationSelectorAndHashes3new17hf16e8e311ee09fa2E
+_ZN103_$LT$style..stylist..RevalidationSelectorAndHashes$u20$as$u20$style..selector_map..SelectorMapEntry$GT$8selector17h662e7736f2227a44E
+??4PLDHashTable@@QAEAAV0@$$QAV0@@Z
+_ZN5style18gecko_string_cache8WeakAtom18to_ascii_lowercase17h4839415b827618e0E
+?CloneFileAndAppend@quota@dom@mozilla@@YA?AV?$Result@V?$nsCOMPtr@VnsIFile@@@@W4nsresult@@@3@AAVnsIFile@@ABV?$nsTSubstring@_S@@@Z
+_ZN94_$LT$style..stylist..StylistSelectorVisitor$u20$as$u20$selectors..visitor..SelectorVisitor$GT$24visit_attribute_selector17ha97488ecde6f9e83E
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@_N@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?GetFileForId@FileManager@indexedDB@dom@mozilla@@SA?AV?$nsCOMPtr@VnsIFile@@@@PAVnsIFile@@_J@Z
+??_9mozIStorageStatement@@$BKM@AG
+?NewFileURIMutator@nsFileProtocolHandler@@UAG?AW4nsresult@@PAVnsIFile@@PAPAVnsIURIMutator@@@Z
+?SetQuery@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetQuery@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetQueryWithEncoding@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@PBVEncoding@3@@Z
+?StripTaggedASCII@?$nsTSubstring@D@@QAEXABV?$array@_N$0IA@@std@@@Z
+?GetSocketConnections@nsSocketTransportService@net@mozilla@@QAEXPAV?$nsTArray@USocketInfo@net@mozilla@@@@@Z
+?ShutdownGlobalObjects@nsStandardURL@net@mozilla@@SAXXZ
+?GetQuery@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ParseNextInternal@URLParams@mozilla@@CA_NAAPBDPBDPAV?$nsTSubstring@_S@@2@Z
+?Rebind@?$nsTDependentSubstring@D@@QAEXPBD0@Z
+?Delete@URLParams@mozilla@@QAEXABV?$nsTSubstring@_S@@@Z
+_ZN13encoding_glue39decode_to_nsstring_without_bom_handling17h06613f24fca8a080E
+_ZN8nsstring24nsAStringBulkWriteHandle6finish17he637503bc0db421eE
+??$ToIntegerCommon@D_J@@YA_JABV?$nsTSubstring@D@@PAW4nsresult@@I@Z
+?GetQuotaObject@QuotaManager@quota@dom@mozilla@@QAE?AU?$already_AddRefed@VQuotaObject@quota@dom@mozilla@@@@_JABV?$nsTSubstring@_S@@@Z
+?RecvShutdownQuotaManager@quota@dom@mozilla@@YA_NXZ
+?GetQuotaObject@QuotaManager@quota@dom@mozilla@@QAE?AU?$already_AddRefed@VQuotaObject@quota@dom@mozilla@@@@W4PersistenceType@234@ABUGroupAndOrigin@234@W4Type@Client@234@PAVnsIFile@@_JPA_J@Z
+_ZN5style7stylist14ExtraStyleData17add_counter_style17h8e5cce64a1d6200dE
+?rollbackTransactionInternal@Connection@storage@mozilla@@QAE?AW4nsresult@@ABVSQLiteMutexAutoLock@23@PAUsqlite3@@@Z
+?AreOriginsEqualOnDisk@QuotaManager@quota@dom@mozilla@@SA_NABV?$nsTSubstring@D@@0@Z
+?s_InitEntry@?$nsTHashtable@VnsUint64HashKey@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?DeserializeFromString@KeyPath@indexedDB@dom@mozilla@@SA?AV1234@ABV?$nsTSubstring@_S@@@Z
+?AppendIntDec@?$nsTSubstring@_S@@AAEX_J@Z
+??_9mozIStorageStatement@@$BMA@AG
+?GetFileManager@IndexedDatabaseManager@dom@mozilla@@QAE?AV?$SafeRefPtr@VFileManager@indexedDB@dom@mozilla@@@3@W4PersistenceType@quota@23@ABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@@Z
+?Init@FileManager@indexedDB@dom@mozilla@@QAE?AW4nsresult@@PAVnsIFile@@AAVmozIStorageConnection@@@Z
+Gecko_AddRefAtom
+??0?$FileInfoT@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@QAE@ABVFileManagerGuard@?$FileManagerBase@VFileManager@indexedDB@dom@mozilla@@@123@V?$SafeRefPtr@VFileManager@indexedDB@dom@mozilla@@@3@_JI@Z
+?AddFileManager@IndexedDatabaseManager@dom@mozilla@@QAEXV?$SafeRefPtr@VFileManager@indexedDB@dom@mozilla@@@3@@Z
+??0?$LoggingIdString@$00@indexedDB@dom@mozilla@@QAE@ABUnsID@@@Z
+??$InsertElementAtInternal@UnsTArrayFallibleAllocator@@UIndexDataValue@indexedDB@dom@mozilla@@@?$nsTArray_Impl@UIndexDataValue@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAUIndexDataValue@indexedDB@dom@mozilla@@I$$QAU1234@@Z
+??0PBackgroundIDBDatabaseParent@indexedDB@dom@mozilla@@QAE@XZ
+??1?$nsTArray_Impl@UStructuredCloneFileParent@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@VIndexMetadata@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@VObjectStoreSpec@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?SendPBackgroundIDBDatabaseConstructor@PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBDatabaseParent@234@PAV5234@ABVDatabaseSpec@234@PAVPBackgroundIDBFactoryRequestParent@234@@Z
+?Write@?$IPDLParamTraits@PAVPBackgroundIDBDatabaseParent@indexedDB@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPBackgroundIDBDatabaseParent@indexedDB@dom@3@@Z
+?Read@?$IPDLParamTraits@VSerializedStructuredCloneReadInfo@indexedDB@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVSerializedStructuredCloneReadInfo@indexedDB@dom@3@@Z
+?Clear@?$nsTArray_Impl@VFileAddInfo@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?SendCreateIndex@PBackgroundIDBVersionChangeTransactionChild@indexedDB@dom@mozilla@@QAE_NAB_JABVIndexMetadata@234@@Z
+??$emplace@$$V@?$Maybe@VIPCServiceWorkerDescriptor@dom@mozilla@@@mozilla@@QAEXXZ
+??4FactoryRequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVOpenDatabaseRequestResponse@123@@Z
+?Send__delete__@PBackgroundIDBFactoryRequestParent@indexedDB@dom@mozilla@@SA_NPAV1234@ABVFactoryRequestResponse@234@@Z
+??4FactoryRequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVDeleteDatabaseRequestResponse@123@@Z
+?DestroySubtree@IProtocol@ipc@mozilla@@IAEXW4ActorDestroyReason@123@@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@$$CBVTableCellAccessible@a11y@mozilla@@@@V?$RefPtr@VAccessible@a11y@mozilla@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?AllManagedActors@PAPZCTreeManagerChild@layers@mozilla@@UBEXAAV?$nsTArray@V?$RefPtr@VActorLifecycleProxy@ipc@mozilla@@@@@@@Z
+?RemoveManagee@PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+??1ActorLifecycleProxy@ipc@mozilla@@AAE@XZ
+?ActorDealloc@IProtocol@ipc@mozilla@@MAEXXZ
+?DeallocManagee@PBackgroundIDBFactoryParent@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?MaybeRecordShutdownStep@Client@quota@dom@mozilla@@QAEXABV?$nsTSubstring@D@@@Z
+??1?$SupportCheckedUnsafePtrImpl@VCrashOnDanglingCheckedUnsafePtr@mozilla@@$00@detail@mozilla@@IAE@XZ
+??1IProtocol@ipc@mozilla@@MAE@XZ
+?computeErrorMetadata@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@UAE_NPAUErrorMetadata@3@ABV?$Variant@IUCurrent@ErrorReportMixin@frontend@js@@UNoOffset@234@@mozilla@@@Z
+?emitScope@ClassEmitter@frontend@js@@QAE_NPAU?$AbstractData@$$CBVParserAtom@frontend@js@@@LexicalScope@3@@Z
+?emitJumpShortCircuit@OptionalEmitter@frontend@js@@QAE_NXZ
+?emitOptionalJumpTarget@OptionalEmitter@frontend@js@@QAE_NW4JSOp@@W4Kind@123@@Z
+_ZN5style7stylist25UserAgentCascadeDataCache11take_unused17hd9ea8175022c5232E
+?FlushUserFontSet@Document@dom@mozilla@@QAEXXZ
+?DownloadableFontsEnabled@gfxPlatform@@QAE_NXZ
+Servo_StyleSet_GetFontFaceRules
+_ZN97_$LT$style..stylist..ExtraStyleDataIterator$u20$as$u20$core..iter..traits..iterator..Iterator$GT$4next17h70775db0aae2a22fE
+?FlushCounterStyles@nsPresContext@@QAEXXZ
+?BuildFontFeatureValueSet@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VgfxFontFeatureValueSet@@@@XZ
+Servo_StyleSet_BuildFontFeatureValueSet
+?ReparentComputedStyleForFirstLine@RestyleManager@mozilla@@QAEXPAVnsIFrame@@@Z
+?PingPerTickTelemetry@PresShell@mozilla@@AAEXW4FlushType@2@@Z
+?ScheduleApproximateFrameVisibilityUpdateNow@PresShell@mozilla@@QAEXXZ
+?AssumeAllFramesVisible@PresShell@mozilla@@QAE_NXZ
+?UpdatePopupPositions@nsXULPopupManager@@QAEXPAVnsRefreshDriver@@@Z
+?CollectDescendantDocuments@Document@dom@mozilla@@QBEXAAV?$nsTArray@V?$RefPtr@VDocument@dom@mozilla@@@@@@P6A_NPBV123@@Z@Z
+?PeekStream@nsInputStreamPump@@QAE?AW4nsresult@@P6AXPAXPBEI@Z0@Z
+?CallTypeSniffers@HttpBaseChannel@net@mozilla@@KAXPAXPBEI@Z
+?NS_SniffContent@@YAXPBDPAVnsIRequest@@PBEIAAV?$nsTSubstring@D@@@Z
+?GetSkipContentSniffing@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?CreateNewBinaryDetectorFactory@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??0nsUnknownDecoder@@QAE@XZ
+?QueryInterface@nsUnknownDecoder@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsUnknownDecoder@@UAGKXZ
+?QueryInterface@nsMediaSniffer@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetMIMETypeFromContent@nsMediaSniffer@@UAG?AW4nsresult@@PAVnsIRequest@@PBEIAAV?$nsTSubstring@D@@@Z
+?GetMIMETypeFromContent@nsUnknownDecoder@@UAG?AW4nsresult@@PAVnsIRequest@@PBEIAAV?$nsTSubstring@D@@@Z
+?DetermineContentType@nsBinaryDetector@@MAEXPAVnsIRequest@@@Z
+?prepareForDestructuring@FunctionParamsEmitter@frontend@js@@QAE_NXZ
+?emitDestructuringDefaultEnd@FunctionParamsEmitter@frontend@js@@QAE_NXZ
+?emitInitDefaultConstructor@ClassEmitter@frontend@js@@QAE_NII@Z
+?isOnThisLine@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@UBE_NIIPA_N@Z
+?emitSuperBase@BytecodeEmitter@frontend@js@@QAE_NXZ
+?emitInitHomeObject@PropertyEmitter@frontend@js@@QAE_NXZ
+?PrepareForInstantiate@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@AAUCompilationGCOutput@12@@Z
+?prepareForInstantiate@CompilationInfo@frontend@js@@QAE_NPAUJSContext@@AAUCompilationGCOutput@23@@Z
+?QueryInterface@LoadInfo@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetParserCreatedScript@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?GetContentDisposition@nsBaseChannel@@UAG?AW4nsresult@@PAI@Z
+?Accept@RegExpGroup@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?CaptureRegisters@RegExpGroup@internal@v8@@UAE?AVInterval@23@XZ
+?ToNode@RegExpGroup@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?RelocateNonOverlappingRegion@?$nsTArray_RelocateUsingMoveConstructor@V?$Endpoint@VPStreamFilterParent@extensions@mozilla@@@ipc@mozilla@@@@SAXPAX0II@Z
+?OnStartRequest@nsDocumentOpenInfo@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?IsTypeSupported@nsWebNavigationInfo@@SAIABV?$nsTSubstring@D@@_N@Z
+?QueryInterface@nsContentDLF@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SupportImageWithMimeType@imgLoader@@SA_NPBDW4AcceptedMimeTypes@@@Z
+?GetDecoderType@DecoderFactory@image@mozilla@@SA?AW4DecoderType@23@PBD@Z
+?PerformCSPFrameAncestorAndXFOCheck@nsContentSecurityUtils@@SAXPAVnsIChannel@@@Z
+?AttemptURIFixup@nsDocShell@@SA?AU?$already_AddRefed@VnsIURI@@@@PAVnsIChannel@@W4nsresult@@ABV?$Maybe@V?$nsTString@D@@@mozilla@@I_N333PAPAVnsIInputStream@@@Z
+?ThenInternal@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@@@PBD@Z
+?Suspend@nsBaseChannel@@UAG?AW4nsresult@@XZ
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$Endpoint@VPStreamFilterParent@extensions@mozilla@@@ipc@mozilla@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?ChannelIsPost@net@mozilla@@YA_NPAVnsIChannel@@@Z
+?ExtractLastVisit@nsDocShell@@SAXPAVnsIChannel@@PAPAVnsIURI@@PAI@Z
+?GetPropertyAsInterface@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@ABUnsID@@PAPAX@Z
+?NS_GetReferrerFromChannel@@YAXPAVnsIChannel@@PAPAVnsIURI@@@Z
+?GetAsISupports@nsVariantBase@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?GetParentProcessWidgetContaining@CanonicalBrowsingContext@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIWidget@@@@XZ
+?GetNearestWidget@nsGlobalWindowOuter@@QBEPAVnsIWidget@@XZ
+?GetPresShell@nsDocShell@@UAEPAVPresShell@mozilla@@XZ
+?InternalAddURIVisit@nsDocShell@@SAXPAVnsIURI@@0IIPAVBrowsingContext@dom@mozilla@@PAVnsIWidget@@I@Z
+??1ParentProcessDocumentOpenInfo@net@mozilla@@EAE@XZ
+?DispatchDirectTask@nsThread@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@@Z
+?Release@RedirectChannelRegistrar@net@mozilla@@UAGKXZ
+?GetContentParent@CanonicalBrowsingContext@dom@mozilla@@QBEPAVContentParent@23@XZ
+??$Resolve@VClientInfoAndState@dom@mozilla@@@Private@?$MozPromise@VClientOpResult@dom@mozilla@@VCopyableErrorResult@3@$0A@@mozilla@@QAEX$$QAVClientInfoAndState@dom@2@PBD@Z
+?GetUsePrivateBrowsing@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+??4?$nsTArray_Impl@V?$Endpoint@VPStreamFilterParent@extensions@mozilla@@@ipc@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEAAV0@$$QAV0@@Z
+??$MoveInit@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$Endpoint@VPStreamFilterParent@extensions@mozilla@@@ipc@mozilla@@@@@@IAEXAAV0@II@Z
+?AsyncOnChannelRedirect@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAVnsIChannel@@0IPAVnsIEventTarget@@@Z
+?AntiTrackingRedirectHeuristic@mozilla@@YAXPAVnsIChannel@@PAVnsIURI@@01@Z
+?DynamicFpiRedirectHeuristic@mozilla@@YAXPAVnsIChannel@@PAVnsIURI@@01@Z
+??0nsAsyncRedirectVerifyHelper@net@mozilla@@QAE@XZ
+?Init@nsAsyncRedirectVerifyHelper@net@mozilla@@QAE?AW4nsresult@@PAVnsIChannel@@0IPAVnsIEventTarget@@_N@Z
+?QueryInterface@Tickler@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsAsyncRedirectVerifyHelper@net@mozilla@@UAGKXZ
+??_GParentChannelWrapper@net@mozilla@@EAEPAXI@Z
+?CompileGlobalScript@frontend@js@@YAPAVJSScript@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@_S@6@W4ScopeKind@2@@Z
+?Wrap@PrecompiledScript_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPrecompiledScript@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@PrecompiledScript_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?MaybeResolve@Promise@dom@mozilla@@AAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?resolve@PromiseObject@js@@SA_NPAUJSContext@@V?$Handle@PAVPromiseObject@js@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+?State@Promise@dom@mozilla@@QBE?AW4PromiseState@123@XZ
+?GetPromiseState@JS@@YA?AW4PromiseState@1@V?$Handle@PAVJSObject@@@1@@Z
+?DoomAlreadyRemoved@CacheEntry@net@mozilla@@QAEXXZ
+?Cancel@?$RunnableFunction@P6AXXZV?$Tuple@$$V@mozilla@@@@UAE?AW4nsresult@@XZ
+?OnMessageReceived@PBackgroundChild@ipc@mozilla@@UAE?AW4Result@HasResultCodes@23@ABVMessage@IPC@@@Z
+?OnMessageReceived@PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?ClearSubtree@PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@AAEXXZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VObjectStoreSpec@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVObjectStoreSpec@indexedDB@dom@mozilla@@I@Z
+?Read@?$ParamTraits@V?$nsTArray@V?$nsTString@_S@@@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?OnMessageReceived@PBackgroundIDBVersionChangeTransactionParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?Read@?$ParamTraits@V?$nsTSubstring@D@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTSubstring@D@@@Z
+?ReadActor@IProtocol@ipc@mozilla@@QAE?AV?$Maybe@PAVIProtocol@ipc@mozilla@@@3@PBVMessage@IPC@@PAVPickleIterator@@_NPBDH@Z
+?AllocPBackgroundIDBDatabaseChild@BackgroundFactoryChild@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBDatabaseChild@234@ABVDatabaseSpec@234@PAVPBackgroundIDBFactoryRequestChild@234@@Z
+??0PBackgroundIDBDatabaseChild@indexedDB@dom@mozilla@@QAE@XZ
+??$WrapAsJSObject@VIDBMutableFile@dom@mozilla@@@indexedDB@dom@mozilla@@YA_NQAUJSContext@@AAVIDBMutableFile@12@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?OnMessageReceived@PBackgroundIDBFactoryRequestChild@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?Read@?$IPDLParamTraits@PAVPBackgroundIDBDatabaseChild@indexedDB@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAPAVPBackgroundIDBDatabaseChild@indexedDB@dom@3@@Z
+?Recv__delete__@BackgroundFactoryRequestChild@indexedDB@dom@mozilla@@QAE?AVIPCResult@ipc@4@ABVFactoryRequestResponse@234@@Z
+?DeallocPBackgroundIDBDatabaseChild@BackgroundFactoryChild@indexedDB@dom@mozilla@@QAE_NPAVPBackgroundIDBDatabaseChild@234@@Z
+?RecvBlocked@BackgroundFactoryRequestChild@indexedDB@dom@mozilla@@QAE?AVIPCResult@ipc@4@_K@Z
+??0DOMEventTargetHelper@mozilla@@QAE@PAV01@@Z
+?CheckCurrentGlobalCorrectness@DOMEventTargetHelper@mozilla@@QBE?AW4nsresult@@XZ
+?Wrap@IDBDatabase_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBDatabase@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@IDBDatabase_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CheckPatternSyntax@irregexp@js@@YA_NPAUJSContext@@AAVTokenStreamAnyChars@frontend@2@V?$Range@$$CB_S@mozilla@@VRegExpFlags@JS@@V?$Maybe@I@7@4@Z
+?growStorageBy@?$Vector@VRegExpStencil@frontend@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?ExperimentalFeaturesEnabled@IndexedDatabaseManager@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@PAVEvent@23@PB_S@Z
+?Assign@?$nsTSubstring@D@@QAIXD@Z
+?GetType@Event@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?DispatchEvent@EventTarget@dom@mozilla@@QAEXAAVEvent@23@AAVErrorResult@3@@Z
+?WriteOrAppend@IDBFileHandle@dom@mozilla@@AAE?AV?$RefPtr@VIDBFileRequest@dom@mozilla@@@@ABVStringOrArrayBufferOrArrayBufferViewOrBlob@23@_NAAVErrorResult@3@@Z
+?GetDocShellForEventTarget@nsContentUtils@@SAPAVnsIDocShell@@PAVEventTarget@dom@mozilla@@@Z
+?Call@EventHandlerNonNull@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AAVEvent@23@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?WrapObject@Event@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Event_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Event_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetConstructorObject@Event_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetResult@IDBRequest@dom@mozilla@@QBEXV?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?TrySetToStringSequence@StringOrStringSequenceArgument@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$MutableHandle@VValue@JS@@@JS@@AA_N_N@Z
+?Transaction@IDBDatabase@dom@mozilla@@QAE?AV?$RefPtr@VIDBTransaction@dom@mozilla@@@@PAUJSContext@@ABVStringOrStringSequence@23@W4IDBTransactionMode@23@AAVErrorResult@3@@Z
+?Create@IDBTransaction@dom@mozilla@@SA?AV?$SafeRefPtr@VIDBTransaction@dom@mozilla@@@3@PAUJSContext@@PAVIDBDatabase@23@ABV?$nsTArray@V?$nsTString@_S@@@@W4Mode@123@@Z
+?CreateVersionChange@IDBTransaction@dom@mozilla@@SA?AV?$SafeRefPtr@VIDBTransaction@dom@mozilla@@@3@PAVIDBDatabase@23@PAVBackgroundVersionChangeTransactionChild@indexedDB@23@V?$NotNull@PAVIDBOpenDBRequest@dom@mozilla@@@3@_J3@Z
+?unwrapErr@?$ResultImplementation@UOk@mozilla@@V?$IDBError@$00@detail@indexedDB@dom@2@$0A@@detail@mozilla@@QAE?AV?$IDBError@$00@2indexedDB@dom@3@XZ
+?ObjectStore@IDBTransaction@dom@mozilla@@QAE?AV?$RefPtr@VIDBObjectStore@dom@mozilla@@@@ABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?AddPendingIDBTransaction@CycleCollectedJSContext@mozilla@@QAEX$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+??0PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@QAE@XZ
+??0LoggingString@indexedDB@dom@mozilla@@QAE@ABVIDBTransaction@23@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@PAVIDBDatabase@23@@Z
+?SendPBackgroundIDBTransactionConstructor@PBackgroundIDBDatabaseChild@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBTransactionChild@234@PAV5234@ABV?$nsTArray@V?$nsTString@_S@@@@ABW4Mode@IDBTransaction@34@@Z
+?AddRef@BackgroundTransactionChild@indexedDB@dom@mozilla@@UAGKXZ
+?Write@?$IPDLParamTraits@PAVPBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPBackgroundIDBTransactionChild@indexedDB@dom@3@@Z
+?Write@?$IPDLParamTraits@VCacheOpArgs@cache@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCacheOpArgs@cache@dom@3@@Z
+?Write@?$IPDLParamTraits@VGMPVideoEncodedFrameData@gmp@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVGMPVideoEncodedFrameData@gmp@3@@Z
+?WrapObject@IDBTransaction@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IDBTransaction_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBTransaction@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@IDBTransaction_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?OnMessageReceived@PBackgroundIDBDatabaseParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?Read@?$IPDLParamTraits@V?$nsTArray@V?$nsTString@_S@@@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$nsTArray@V?$nsTString@_S@@@@@Z
+??1FileManager@indexedDB@dom@mozilla@@QAE@XZ
+??0Iterator@PLDHashTable@@QAE@$$QAV01@@Z
+??0PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@QAE@XZ
+?ActorAlloc@PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@MAEXXZ
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@I@@@@KAIPBX@Z
+?Create@IDBObjectStore@dom@mozilla@@SA?AV?$RefPtr@VIDBObjectStore@dom@mozilla@@@@V?$SafeRefPtr@VIDBTransaction@dom@mozilla@@@3@AAVObjectStoreSpec@indexedDB@23@@Z
+?AddRef@IDBObjectStore@dom@mozilla@@UAGKXZ
+?WrapObject@IDBObjectStore@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IDBObjectStore_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBObjectStore@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@IDBObjectStore_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?OnExceptionListUpdate@UrlClassifierFeatureBase@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?NS_ProcessNextEvent@@YA_NPAVnsIThread@@_N@Z
+?GetDirectory@FileManager@indexedDB@dom@mozilla@@QAE?AV?$nsCOMPtr@VnsIFile@@@@XZ
+?GetInternal@IDBObjectStore@dom@mozilla@@AAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?GetKeyPath@IDBIndex@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?AddRef@Attr@dom@mozilla@@UAGKXZ
+?WrapObject@IDBIndex@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?SetFromJSVal@Key@indexedDB@dom@mozilla@@QAE?AV?$Result@UOk@mozilla@@V?$IDBError@$00@detail@indexedDB@dom@2@@4@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?EncodeJSValInternal@Key@indexedDB@dom@mozilla@@AAE?AV?$Result@UOk@mozilla@@V?$IDBError@$00@detail@indexedDB@dom@2@@4@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@EG@Z
+??$destroy@V?$Variant@UOk@mozilla@@V?$IDBError@$00@detail@indexedDB@dom@2@@mozilla@@@?$VariantImplementation@_N$00V?$IDBError@$00@detail@indexedDB@dom@mozilla@@@detail@mozilla@@SAXAAV?$Variant@UOk@mozilla@@V?$IDBError@$00@detail@indexedDB@dom@2@@2@@Z
+??0RequestParams@indexedDB@dom@mozilla@@QAE@$$QAVObjectStoreGetParams@123@@Z
+?SetName@IDBObjectStore@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?CreateMutableFile@IDBDatabase@dom@mozilla@@QAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@_S@@ABV?$Optional@V?$nsTSubstring@_S@@@23@AAVErrorResult@3@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@PAVIDBKeyRange@23@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@ABVKey@123@@Z
+?DecodeString@Key@indexedDB@dom@mozilla@@CA?AV?$nsTAutoStringN@_S$0EA@@@AAPBEPBE@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@PAVIDBIndex@23@@Z
+?InvalidateCursorCaches@IDBTransaction@dom@mozilla@@QAEXXZ
+?StartRequest@IDBTransaction@dom@mozilla@@QAEPAVBackgroundRequestChild@indexedDB@23@V?$MovingNotNull@V?$RefPtr@VIDBRequest@dom@mozilla@@@@@3@ABVRequestParams@523@@Z
+??0BackgroundRequestChild@indexedDB@dom@mozilla@@AAE@V?$MovingNotNull@V?$RefPtr@VIDBRequest@dom@mozilla@@@@@3@@Z
+??0PBackgroundIDBRequestChild@indexedDB@dom@mozilla@@QAE@XZ
+?SendPBackgroundIDBRequestConstructor@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBRequestChild@234@PAV5234@ABVRequestParams@234@@Z
+??0DatabaseOrMutableFile@indexedDB@dom@mozilla@@QAE@$$QAV0123@@Z
+?MaybeDestroy@RequestParams@indexedDB@dom@mozilla@@AAE_NW4Type@1234@@Z
+?Release@IDBIndex@dom@mozilla@@UAGKXZ
+?GetSource@IDBRequest@dom@mozilla@@QBEXAAU?$Nullable@VOwningIDBObjectStoreOrIDBIndexOrIDBCursor@dom@mozilla@@@23@@Z
+?Wrap@IDBRequest_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBRequest@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?OnMessageReceived@PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+??4RequestParams@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVIndexGetKeyParams@123@@Z
+??0PBackgroundIDBRequestParent@indexedDB@dom@mozilla@@QAE@XZ
+?CommonPostHandleEvent@IndexedDatabaseManager@dom@mozilla@@SA?AW4nsresult@@AAVEventChainPostVisitor@3@ABVIDBFactory@23@@Z
+?WrapObject@IDBDatabase@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?SendDeleteMeInternal@BackgroundDatabaseChild@indexedDB@dom@mozilla@@AAEXXZ
+?RemoveManagee@PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?DeallocManagee@PBackgroundIDBFactoryChild@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?DeallocPBackgroundIDBFactoryRequestChild@BackgroundFactoryChild@indexedDB@dom@mozilla@@QAE_NPAVPBackgroundIDBFactoryRequestChild@234@@Z
+?Disconnect@nsRefreshDriver@@QAEXXZ
+?RemoveChildRefreshTimer@VsyncDispatcher@mozilla@@QAEXPAVVsyncObserver@2@@Z
+?DisableVsync@D3DVsyncDisplay@D3DVsyncSource@@UAEXXZ
+?finishSingleParseTask@GlobalHelperThreadState@js@@AAEPAVJSScript@@PAUJSContext@@W4ParseTaskKind@2@PAVOffThreadToken@JS@@W4StartEncoding@2@@Z
+?GetCanceled@DocumentChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?AsyncOnChannelRedirect@nsIOService@net@mozilla@@QAE?AW4nsresult@@PAVnsIChannel@@0IPAVnsAsyncRedirectVerifyHelper@23@@Z
+?Release@nsContentSecurityManager@@UAGKXZ
+?DelegateOnChannelRedirect@nsAsyncRedirectVerifyHelper@net@mozilla@@QAE?AW4nsresult@@PAVnsIChannelEventSink@@PAVnsIChannel@@1I@Z
+?AsyncOnChannelRedirect@nsContentSecurityManager@@UAG?AW4nsresult@@PAVnsIChannel@@0IPAVnsIAsyncVerifyRedirectCallback@@@Z
+?AsyncOnChannelRedirect@CSPService@@UAG?AW4nsresult@@PAVnsIChannel@@0IPAVnsIAsyncVerifyRedirectCallback@@@Z
+?AsyncOnChannelRedirect@nsMixedContentBlocker@@UAG?AW4nsresult@@PAVnsIChannel@@0IPAVnsIAsyncVerifyRedirectCallback@@@Z
+?CreateReservedSourceIfNeeded@dom@mozilla@@YAXPAVnsIChannel@@PAVnsISerialEventTarget@@@Z
+?AsyncOnChannelRedirect@nsDocLoader@@UAG?AW4nsresult@@PAVnsIChannel@@0IPAVnsIAsyncVerifyRedirectCallback@@@Z
+?DoRunLoop@WorkerPrivate@dom@mozilla@@QAEXPAUJSContext@@@Z
+RegisterWeakAsyncMemoryReporter
+?ComputeWorkerPrivateId@dom@mozilla@@YA?AV?$nsTString@_S@@XZ
+?OnStopRequest@nsDocLoader@@UAG?AW4nsresult@@PAVnsIRequest@@W42@@Z
+?GetExecutionManager@WorkerPrivate@dom@mozilla@@QBEPAVJSExecutionManager@23@XZ
+??0AutoYieldJSThreadExecution@dom@mozilla@@QAE@XZ
+?GetRestoringDocument@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?IsPending@nsLoadGroup@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+??1WorkerMainThreadRunnable@dom@mozilla@@MAE@XZ
+?NS_LinkRedirectChannels@@YA?AW4nsresult@@_KPAVnsIParentChannel@@PAPAVnsIChannel@@@Z
+?EventTargetFor@DispatcherTrait@dom@mozilla@@UBEPAVnsISerialEventTarget@@W4TaskCategory@3@@Z
+?Release@ParentChannelWrapper@net@mozilla@@UAGKXZ
+?ThenInternal@?$MozPromise@V?$RefPtr@VBrowserParent@dom@mozilla@@@@W4nsresult@@$0A@@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@V?$RefPtr@VBrowserParent@dom@mozilla@@@@W4nsresult@@$0A@@mozilla@@@@PBD@Z
+?DispatchAll@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@IAEXXZ
+?AddRef@HttpTransactionParent@net@mozilla@@UAGKXZ
+?BeforeProcessTask@CycleCollectedJSContext@mozilla@@UAEX_N@Z
+??$Resolve@W4nsresult@@@Private@?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@QAEX$$QAW4nsresult@@PBD@Z
+??$emplace@ABVCorsPreflightArgs@net@mozilla@@@?$Maybe@VCorsPreflightArgs@net@mozilla@@@mozilla@@QAEXABVCorsPreflightArgs@net@1@@Z
+?Run@WorkerRunnable@dom@mozilla@@MAG?AW4nsresult@@XZ
+?IsCanceled@WorkerRunnable@dom@mozilla@@UBE_NXZ
+??_G?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@MAEPAXI@Z
+??1?$MozPromise@W4nsresult@@W4ResponseRejectReason@ipc@mozilla@@$00@mozilla@@MAE@XZ
+?GetCurrentWorkerThreadJSContext@dom@mozilla@@YAPAUJSContext@@XZ
+??_GNeckoChild@net@mozilla@@UAEPAXI@Z
+?ConnectMessagePort@WorkerPrivate@dom@mozilla@@QAE_NPAUJSContext@@AAVUniqueMessagePortId@23@@Z
+?HybridEventTarget@WorkerPrivate@dom@mozilla@@QAEPAVnsISerialEventTarget@@XZ
+?CreateSource@ClientManager@dom@mozilla@@SA?AV?$UniquePtr@VClientSource@dom@mozilla@@V?$DefaultDelete@VClientSource@dom@mozilla@@@3@@3@W4ClientType@23@PAVnsISerialEventTarget@@ABVPrincipalInfo@ipc@3@@Z
+?GetCurrentThreadWorkerPrivate@dom@mozilla@@YAPAVWorkerPrivate@12@XZ
+??1nsDocShellLoadState@@IAE@XZ
+?Create@IPCWorkerRef@dom@mozilla@@SA?AU?$already_AddRefed@VIPCWorkerRef@dom@mozilla@@@@PAVWorkerPrivate@23@PBD$$QAV?$function@$$A6AXXZ@std@@@Z
+?Cancel@DocumentLoadListener@net@mozilla@@QAEXABW4nsresult@@@Z
+?QueryInterface@ParentChannelWrapper@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?FinishReplacementChannelSetup@DocumentLoadListener@net@mozilla@@AAEXW4nsresult@@@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsUint64HashKey@@V?$RefPtr@VnsIPresentationRespondingListener@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?OnStartRequest@ParentChannelWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?OnDataAvailable@MediaDocumentStreamListener@dom@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?CreateDebuggerGlobalScope@WorkerPrivate@dom@mozilla@@QAEPAVWorkerDebuggerGlobalScope@23@PAUJSContext@@@Z
+??0MaybeCloseWindowHelper@@QAE@PAVBrowsingContext@dom@mozilla@@@Z
+?IsTypeSupported@nsWebNavigationInfo@@SAIABV?$nsTSubstring@D@@PAVnsIWebNavigation@@@Z
+?BindToOwner@DOMEventTargetHelper@mozilla@@IAEXPAVnsIGlobalObject@@@Z
+?ConsumeWindowInteraction@WorkerGlobalScope@dom@mozilla@@QAEXXZ
+?Wrap@DedicatedWorkerGlobalScope_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDedicatedWorkerGlobalScope@23@PAVnsWrapperCache@@AAVRealmOptions@JS@@PAUJSPrincipals@@_NV?$MutableHandle@PAVJSObject@@@8@@Z
+?AllowTopLevelNavigationToDataURI@nsContentSecurityManager@@SA_NPAVnsIChannel@@@Z
+?GetForceAllowDataURI@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?TryToLoadIframesInBackground@DocGroup@dom@mozilla@@SA_NXZ
+?CreateInstance@nsContentDLF@@UAG?AW4nsresult@@PBDPAVnsIChannel@@PAVnsILoadGroup@@ABV?$nsTSubstring@D@@PAVnsIDocShell@@PAVnsISupports@@PAPAVnsIStreamListener@@PAPAVnsIContentViewer@@@Z
+?GetConsole@WorkerGlobalScopeBase@dom@mozilla@@QAE?AU?$already_AddRefed@VConsole@dom@mozilla@@@@AAVErrorResult@3@@Z
+?initStandardClasses@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@@Z
+?maybeResolveGlobalThis@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@PA_N@Z
+??1nsHTMLDocument@@MAE@XZ
+?CompatibilityModeChanged@Document@dom@mozilla@@IAEXXZ
+?CompatibilityModeChanged@ServoStyleSet@mozilla@@QAEXXZ
+Servo_StyleSet_CompatModeChanged
+_ZN5style7stylist7Stylist15set_quirks_mode17h8f3a3aef736cf94fE
+?ComputeAnimationValue@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@URawServoAnimationValue@@@@PAVElement@dom@2@PAURawServoDeclarationBlock@@PBVComputedStyle@2@@Z
+?StartDocumentLoad@Document@dom@mozilla@@UAE?AW4nsresult@@PBDPAVnsIChannel@@PAVnsILoadGroup@@PAVnsISupports@@PAPAVnsIStreamListener@@_NPAVnsIContentSink@@@Z
+?SetReadyStateInternal@Document@dom@mozilla@@QAEXW4ReadyState@123@_N@Z
+?NotifyLoading@Document@dom@mozilla@@QAEX_NABW4ReadyState@123@W44123@@Z
+?Children@BrowsingContext@dom@mozilla@@QBE?AV?$Span@V?$RefPtr@VBrowsingContext@dom@mozilla@@@@$0PPPPPPPP@@3@XZ
+?RunDOMEventWhenSafe@AsyncEventDispatcher@mozilla@@QAEXXZ
+?AddScriptRunner@nsContentUtils@@SAXPAVnsIRunnable@@@Z
+?Run@AsyncEventDispatcher@mozilla@@UAG?AW4nsresult@@XZ
+?NS_NewDOMEvent@@YA?AU?$already_AddRefed@VEvent@dom@mozilla@@@@PAVEventTarget@dom@mozilla@@PAVnsPresContext@@PAVWidgetEvent@4@@Z
+?DispatchEvent@EventTarget@dom@mozilla@@QAEXAAVEvent@23@@Z
+?DispatchEvent@nsINode@@UAE_NAAVEvent@dom@mozilla@@W4CallerType@34@AAVErrorResult@4@@Z
+?GetEventTargetParent@Document@dom@mozilla@@UAEXAAVEventChainPreVisitor@3@@Z
+?GetWindowInternal@Document@dom@mozilla@@IBEPAVnsPIDOMWindowOuter@@XZ
+?GetExistingListenerManager@Document@dom@mozilla@@UBEPAVEventListenerManager@3@XZ
+?GetAdditionalComputedStyle@nsIFrame@@UBEPAVComputedStyle@mozilla@@H@Z
+??_GAsyncEventDispatcher@mozilla@@UAEPAXI@Z
+?Reset@nsHTMLDocument@@UAEXPAVnsIChannel@@PAVnsILoadGroup@@@Z
+?Reset@Document@dom@mozilla@@UAEXPAVnsIChannel@@PAVnsILoadGroup@@@Z
+?Lookup@Dafsa@mozilla@@QBEHABV?$nsTSubstring@D@@@Z
+?GetPropertyAsACString@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@AAV?$nsTSubstring@D@@@Z
+??1CSP@dom@mozilla@@QAE@XZ
+?GetIsDocument@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?NS_GetIsDocumentChannel@@YA?AW4nsresult@@PAVnsIChannel@@PA_N@Z
+?GetServiceWorkerTaintingSynthesized@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetSecurityInfo@nsBaseChannel@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?GetLoadErrorPage@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetSandboxFlags@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetUpgradeInsecureRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetHttpsOnlyStatus@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?ShouldResponseInheritReferrerInfo@ReferrerInfo@dom@mozilla@@SA_NPAVnsIChannel@@@Z
+??0nsCSPContext@@QAE@XZ
+?CanTrustBeDelegatedTo@SRIMetadata@dom@mozilla@@QBE_NABV123@@Z
+?GetReferrer@Document@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?CloneWithNewOriginalReferrer@ReferrerInfo@dom@mozilla@@QBE?AU?$already_AddRefed@VReferrerInfo@dom@mozilla@@@@PAVnsIURI@@@Z
+?EventTargetFor@Document@dom@mozilla@@UBEPAVnsISerialEventTarget@@W4TaskCategory@3@@Z
+?ResetDeclaredPolicy@FeaturePolicy@dom@mozilla@@QAEXXZ
+??0PrototypeDocumentParser@parser@mozilla@@QAE@PAVnsIURI@@PAVDocument@dom@2@@Z
+?TryChannelCharset@Document@dom@mozilla@@IAEXPAVnsIChannel@@AAHAAV?$NotNull@PBVEncoding@mozilla@@@3@PAVnsHtml5TreeOpExecutor@@@Z
+?GetStreamListener@PrototypeDocumentParser@parser@mozilla@@UAEPAVnsIStreamListener@@XZ
+?AbortOperationsForProcess@CacheQuotaClient@cache@dom@mozilla@@UAEXV?$IdType@VContentParent@dom@mozilla@@@34@@Z
+?NS_NewPrototypeDocumentContentSink@@YA?AW4nsresult@@PAPAVnsIContentSink@@PAVDocument@dom@mozilla@@PAVnsIURI@@PAVnsISupports@@PAVnsIChannel@@@Z
+?SetMayStartLayout@Document@dom@mozilla@@QAEX_N@Z
+?AddRef@PrototypeDocumentContentSink@dom@mozilla@@UAGKXZ
+?Release@PrototypeDocumentContentSink@dom@mozilla@@UAGKXZ
+?GetContentSink@PrototypeDocumentParser@parser@mozilla@@UAGPAVnsIContentSink@@XZ
+?GetInstance@nsXULPrototypeCache@@SAPAV1@XZ
+?GetPrototype@nsXULPrototypeCache@@QAEPAVnsXULPrototypeDocument@@PAVnsIURI@@@Z
+?NewObjectInputStreamFromBuffer@scache@mozilla@@YA?AW4nsresult@@PBDIPAPAVnsIObjectInputStream@@@Z
+?NS_NewByteInputStream@@YA?AW4nsresult@@PAPAVnsIInputStream@@V?$Span@$$CBD$0PPPPPPPP@@mozilla@@W4nsAssignmentType@@@Z
+?ReadCString@nsBinaryInputStream@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?Read@nsBinaryInputStream@@UAG?AW4nsresult@@PADIPAI@Z
+?ReadFloat@nsBinaryInputStream@@UAG?AW4nsresult@@PAM@Z
+?GetScript@nsXULPrototypeCache@@QAEPAVJSScript@@PAVnsIURI@@@Z
+?AddInfo@ScopedLogExtraInfo@quota@dom@mozilla@@AAEXXZ
+??1ScopedLogExtraInfo@quota@dom@mozilla@@QAE@XZ
+??0ScopedLogExtraInfo@quota@dom@mozilla@@QAE@$$QAU0123@@Z
+?BindToStatement@Key@indexedDB@dom@mozilla@@QBE?AW4nsresult@@PAVmozIStorageStatement@@ABV?$nsTSubstring@D@@@Z
+?GetDataType@?$Variant@$$BY0A@E$00@storage@mozilla@@UAEGXZ
+?GetAsArray@?$Variant@$$BY0A@E$0A@@storage@mozilla@@UAG?AW4nsresult@@PAGPAUnsID@@PAIPAPAX@Z
+??_G?$Variant@$$BY0A@E$0A@@storage@mozilla@@EAEPAXI@Z
+?GetAsArray@?$Variant@$$BY0A@E$00@storage@mozilla@@UAG?AW4nsresult@@PAGPAUnsID@@PAIPAPAX@Z
+??_G?$Variant@$$BY0A@E$00@storage@mozilla@@EAEPAXI@Z
+?create@BigIntObject@js@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVBigInt@JS@@@JS@@@Z
+?GetStructuredCloneReadInfoFromStatement@indexedDB@dom@mozilla@@YA?AV?$Result@UStructuredCloneReadInfoParent@indexedDB@dom@mozilla@@W4nsresult@@@3@PAVmozIStorageStatement@@IIABVFileManager@123@ABV?$Maybe@UKeyType@DummyCipherStrategy@quota@dom@mozilla@@@3@@Z
+?GetUncompressedLength@snappy@@YA_NPBDIPAI@Z
+?RawUncompress@snappy@@YA_NPBDIPAD@Z
+?assign_with_AddRef@?$RefPtr@VnsXULPrototypeNode@@@@AAEXPAVnsXULPrototypeNode@@@Z
+?RegisterSink@MediaStreamTrackSource@dom@mozilla@@QAEXPAVSink@123@@Z
+?NS_NewXULPrototypeDocument@@YG?AW4nsresult@@PAPAVnsXULPrototypeDocument@@@Z
+??4RequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVObjectStoreGetResponse@123@@Z
+?MaybeDestroy@RequestResponse@indexedDB@dom@mozilla@@AAE_NW4Type@1234@@Z
+?Read@nsXULPrototypeDocument@@UAG?AW4nsresult@@PAVnsIObjectInputStream@@@Z
+?ReadObject@nsBinaryInputStream@@UAG?AW4nsresult@@_NPAPAVnsISupports@@@Z
+?ReadID@nsBinaryInputStream@@UAG?AW4nsresult@@PAUnsID@@@Z
+?Send__delete__@PBackgroundIDBRequestParent@indexedDB@dom@mozilla@@SA_NPAV1234@ABVRequestResponse@234@@Z
+?Read@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@PAVnsIObjectInputStream@@@Z
+?InitFromInputStream@?$BaseURIMutator@VnsStandardURL@net@mozilla@@@@IAE?AW4nsresult@@PAVnsIObjectInputStream@@@Z
+?Create@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAEPAV234@XZ
+??4RequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVIndexCountResponse@123@@Z
+?OnMessageReceived@PBackgroundIDBFactoryRequestParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?ReadPrivate@nsStandardURL@net@mozilla@@IAE?AW4nsresult@@PAVnsIObjectInputStream@@@Z
+?Read32@nsBinaryInputStream@@UAG?AW4nsresult@@PAI@Z
+?Read@?$IPDLParamTraits@VMessagePortIdentifier@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVMessagePortIdentifier@dom@3@@Z
+??$ForEachDataChunk@V<lambda_1>@?0??Write@?$ParamTraits@VJSStructuredCloneData@@@IPC@@SAXPAVMessage@4@ABVJSStructuredCloneData@@@Z@@JSStructuredCloneData@@QBE_N$$QAV<lambda_1>@?0??Write@?$ParamTraits@VJSStructuredCloneData@@@IPC@@SAXPAVMessage@4@ABV0@@Z@@Z
+?ReadBoolean@nsBinaryInputStream@@UAG?AW4nsresult@@PA_N@Z
+?GetSensitiveInfoHiddenSpec@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?RemoveManagee@PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?DeallocManagee@PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?FromJSON@BasePrincipal@mozilla@@SA?AU?$already_AddRefed@VBasePrincipal@mozilla@@@@ABV?$nsTSubstring@D@@@Z
+?ReadString@nsBinaryInputStream@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetNodeInfo@nsNodeInfoManager@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsAtom@@0GPAPAVNodeInfo@dom@mozilla@@@Z
+?GetNodeInfo@nsNodeInfoManager@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsAtom@@HGPAPAVNodeInfo@dom@mozilla@@@Z
+?emitDelete@PropOpEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+?Deserialize@nsXULPrototypePI@@UAE?AW4nsresult@@PAVnsIObjectInputStream@@PAVnsXULPrototypeDocument@@PAVnsIURI@@PBV?$nsTArray@V?$RefPtr@VNodeInfo@dom@mozilla@@@@@@@Z
+?Deserialize@nsXULPrototypeElement@@UAE?AW4nsresult@@PAVnsIObjectInputStream@@PAVnsXULPrototypeDocument@@PAVnsIURI@@PBV?$nsTArray@V?$RefPtr@VNodeInfo@dom@mozilla@@@@@@@Z
+?HandleComment@XULContentSinkImpl@@UAG?AW4nsresult@@PB_S@Z
+?ParseStringOrAtom@nsAttrValue@@QAEXABV?$nsTSubstring@_S@@@Z
+?BooleanToString@js@@YAPAVPropertyName@1@PAUJSContext@@_N@Z
+?Deserialize@nsXULPrototypeText@@UAE?AW4nsresult@@PAVnsIObjectInputStream@@PAVnsXULPrototypeDocument@@PAVnsIURI@@PBV?$nsTArray@V?$RefPtr@VNodeInfo@dom@mozilla@@@@@@@Z
+?emitIncDec@PropOpEmitter@frontend@js@@QAE_NPBVParserAtom@23@@Z
+??$pod_arena_malloc@VUnicodeExtensionKeyword@intl@js@@@TempAllocPolicy@js@@QAEPAVUnicodeExtensionKeyword@intl@1@II@Z
+?JS_NondeterministicGetWeakSetKeys@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@3@@Z
+?TraceAllScripts@nsXULPrototypeElement@@QAEXPAVJSTracer@@@Z
+?CompilationScope@xpc@@YAPAVJSObject@@XZ
+?Init@AutoJSAPI@dom@mozilla@@QAE_NPAVJSObject@@@Z
+?Read8@nsBinaryInputStream@@UAG?AW4nsresult@@PAE@Z
+?ReadBytes@nsBinaryInputStream@@UAG?AW4nsresult@@IPAPAD@Z
+?growStorageBy@?$Vector@V?$HeapPtr@PAVJSObject@@@js@@$00VZoneAllocPolicy@2@@mozilla@@AAE_NI@Z
+?trace@UnicodeExtensionKeyword@intl@js@@QAEXPAVJSTracer@@@Z
+?ApplyUnicodeExtensionToTag@intl@js@@YA_NPAUJSContext@@AAVLanguageTag@12@V?$Handle@V?$StackGCVector@VUnicodeExtensionKeyword@intl@js@@VTempAllocPolicy@3@@JS@@@JS@@@Z
+?emitLexical@SwitchEmitter@frontend@js@@QAE_NPAU?$AbstractData@$$CBVParserAtom@frontend@js@@@LexicalScope@3@@Z
+?intl_ValidateAndCanonicalizeUnicodeExtensionType@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?intl_FormatNumber@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?intl_GetPluralCategories@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?intl_FormatDateTimeRange@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?createExternalSourceStream@ReadableStream@js@@SAPAV12@PAUJSContext@@PAVReadableStreamUnderlyingSource@JS@@PAXV?$Handle@PAVJSObject@@@5@@Z
+?CreateReadableStreamDefaultReader@js@@YAPAVReadableStreamDefaultReader@1@PAUJSContext@@V?$Handle@PAVReadableStream@js@@@JS@@W4ForAuthorCodeBool@1@V?$Handle@PAVJSObject@@@5@@Z
+?CheckReadableStreamControllerCanCloseOrEnqueue@js@@YA_NPAUJSContext@@V?$Handle@PAVReadableStreamController@js@@@JS@@PBD@Z
+?StoreNewListInFixedSlot@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@I@Z
+?ResetQueue@js@@YA_NPAUJSContext@@V?$Handle@PAVStreamController@js@@@JS@@@Z
+?HasSupport@wasm@js@@YA_NPAUJSContext@@@Z
+?HasPlatformSupport@wasm@js@@YA_NPAUJSContext@@@Z
+?IsHugeMemoryEnabled@wasm@js@@YA_NXZ
+?ExportedFunctionToInstanceObject@wasm@js@@YAPAVWasmInstanceObject@2@PAVJSFunction@@@Z
+?IsSharedWasmMemoryObject@wasm@js@@YA_NPAVJSObject@@@Z
+?isActive@FinalizationRecordObject@js@@QBE_NXZ
+?setPrivateGCThing@NativeObject@js@@QAEXPAUCell@gc@2@@Z
+?CreateInterfaceObjects@DedicatedWorkerGlobalScope_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@WorkerGlobalScope_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsSystemCaller@WorkerJSContext@dom@mozilla@@UBE_NXZ
+?IsInAutomation@WorkerGlobalScope@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?GetWorkerPrivateFromContext@dom@mozilla@@YAPAVWorkerPrivate@12@PAUJSContext@@@Z
+?ResolveGlobal@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?RegisterBindings@WorkerPrivate@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?RegisterWorkerBindings@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@AbortController_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@AbortSignal_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Blob_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@BroadcastChannel_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Cache_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CacheStorage_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CloseEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ParseAtomArray@nsAttrValue@@QAEXABV?$nsTSubstring@_S@@@Z
+?CreateInterfaceObjects@Crypto_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CustomEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ParseIntWithBounds@nsAttrValue@@QAE_NABV?$nsTSubstring@_S@@HH@Z
+??$ParseHTMLIntegerImpl@V?$nsTSubstring@_S@@@nsContentUtils@@CAHABV?$nsTSubstring@_S@@PAW4ParseHTMLIntegerResultFlags@0@@Z
+?CreateInterfaceObjects@DOMMatrix_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DOMMatrixReadOnly_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Reset@nsAttrValue@@QAEXXZ
+?SetMiscAtomOrString@nsAttrValue@@AAEXPBV?$nsTSubstring@_S@@@Z
+?CreateInterfaceObjects@DOMPoint_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DOMPointReadOnly_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?createRegExp@RegExpStencil@frontend@js@@QBEPAVRegExpObject@3@PAUJSContext@@AAUCompilationAtomCache@23@@Z
+?createSyntaxChecked@RegExpObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSAtom@@@JS@@VRegExpFlags@5@W4NewObjectKind@2@@Z
+?CreateInterfaceObjects@DOMQuad_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DOMRect_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DOMRectReadOnly_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DOMRequest_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DebuggerNotificationObserver_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Directory_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DominatorTree_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ErrorEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@EventSource_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@EventSource_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@FetchEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@File_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_webkitBlink_dirPicker_enabled@StaticPrefs@mozilla@@YA_NXZ
+?CreateInterfaceObjects@FileList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@FileReader_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@FileReaderSync_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@FileReaderSync_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@FormData_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Headers_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@HeapSnapshot_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBCursor_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBCursorWithValue_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBIndex_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBKeyRange_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@IDBVersionChangeEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Get@?$nsBaseHashtable@VnsUint32HashKey@@V?$nsTString@_S@@V2@V?$nsDefaultConverter@V?$nsTString@_S@@V1@@@@@QBE_NABIPAV?$nsTString@_S@@@Z
+?CreateInterfaceObjects@IOUtils_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ImageBitmap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ImageBitmapRenderingContext_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ImageData_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MediaCapabilities_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MediaCapabilitiesInfo_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessageChannel_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessageEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessagePort_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?PrefEnabled@Notification@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?CreateInterfaceObjects@Notification_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_webnotifications_requireinteraction_enabled@StaticPrefs@mozilla@@YA_NXZ
+?IsGetEnabled@Notification@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?ConstructorEnabled@NotificationEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@PathUtils_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceEntry_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceMark_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceMeasure_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceObserver_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceObserverEntryList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PerformanceResourceTiming_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@PerformanceServerTiming_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@PerformanceServerTiming_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ProgressEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PromiseRejectionEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@PushEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@PushManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PushSubscription_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PushSubscriptionOptions_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Report_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ReportBody_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@ReportingObserver_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Request_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Response_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?javascript_options_streams@StaticPrefs@mozilla@@YA_NXZ
+?ServiceWorkerVisible@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?CreateInterfaceObjects@ServiceWorkerRegistration_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_webnotifications_serviceworker_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@PushManager_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@StorageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@StorageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@StructuredCloneHolder_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@SubtleCrypto_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@TestingDeprecatedInterface_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@TextDecoder_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@TextEncoder_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@URLSearchParams_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@WebSocket_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@WorkerLocation_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@WorkerNavigator_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@NetworkInformation_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@MediaCapabilitiesInfo_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?dom_storageManager_enabled@StaticPrefs@mozilla@@YA_NXZ
+?CreateInterfaceObjects@XMLHttpRequestUpload_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?LoadMainScript@workerinternals@dom@mozilla@@YAXPAVWorkerPrivate@23@V?$UniquePtr@VSerializedStackHolder@dom@mozilla@@V?$DefaultDelete@VSerializedStackHolder@dom@mozilla@@@3@@3@ABV?$nsTSubstring@_S@@W4WorkerScriptType@23@AAVErrorResult@3@@Z
+?CreateNewSyncLoop@WorkerPrivate@dom@mozilla@@AAE?AU?$already_AddRefed@VnsIEventTarget@@@@W4WorkerStatus@23@@Z
+?PushEventQueue@ThreadEventQueue@mozilla@@UAE?AU?$already_AddRefed@VnsISerialEventTarget@@@@XZ
+?AddRef@EventTarget@WorkerPrivate@dom@mozilla@@UAGKXZ
+?Create@StrongWorkerRef@dom@mozilla@@SA?AU?$already_AddRefed@VStrongWorkerRef@dom@mozilla@@@@PAVWorkerPrivate@23@PBD$$QAV?$function@$$A6AXXZ@std@@@Z
+?ModifyBusyCountFromWorker@WorkerPrivate@dom@mozilla@@QAE_N_N@Z
+?PreDispatch@WorkerRunnable@dom@mozilla@@MAE_NPAVWorkerPrivate@23@@Z
+?DispatchInternal@WorkerControlRunnable@dom@mozilla@@EAE_NXZ
+?Dispatch@Inner@ThrottledEventQueue@mozilla@@QAE?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?PutEvent@?$EventQueueInternal@$0EA@@detail@mozilla@@QAEX$$QAU?$already_AddRefed@VnsIRunnable@@@@W4EventQueuePriority@3@ABV?$BaseAutoLock@AAVMutex@mozilla@@@23@PAV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@3@@Z
+?RunCurrentSyncLoop@WorkerPrivate@dom@mozilla@@AAE_NXZ
+?Release@WorkerEventTarget@dom@mozilla@@UAGKXZ
+?FromCssText@DeclarationBlock@mozilla@@SA?AU?$already_AddRefed@VDeclarationBlock@mozilla@@@@ABV?$nsTSubstring@_S@@PAUURLExtraData@2@W4nsCompatibility@@PAVLoader@css@2@G@Z
+Servo_ParseStyleAttribute
+?SetTo@nsAttrValue@@QAEXU?$already_AddRefed@VDeclarationBlock@mozilla@@@@PBV?$nsTSubstring@_S@@@Z
+?EnsureEmptyMiscContainer@nsAttrValue@@AAEPAUMiscContainer@@XZ
+?NotifyLoadDone@nsXULPrototypeDocument@@QAE?AW4nsresult@@XZ
+?PutPrototype@nsXULPrototypeCache@@QAE?AW4nsresult@@PAVnsXULPrototypeDocument@@@Z
+?s_MatchEntry@?$nsTHashtable@VnsURIHashKey@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?Release@BodyStreamHolder@dom@mozilla@@UAGKXZ
+?DocumentPrincipal@nsXULPrototypeDocument@@QAEPAVnsIPrincipal@@XZ
+?NotifyUnloadEventStart@nsDOMNavigationTiming@@QAEXXZ
+?PokeGC@nsJSContext@@SAXW4GCReason@JS@@PAVJSObject@@I@Z
+?OnPageHide@Document@dom@mozilla@@QAEX_NPAVEventTarget@23@0@Z
+?InFrameSwap@nsDocShell@@QAE_NXZ
+?UnlockPointer@Document@dom@mozilla@@SAXPAV123@@Z
+?ReportDocumentUseCounters@Document@dom@mozilla@@QAEXXZ
+??0PageTransitionEventInit@dom@mozilla@@QAE@XZ
+?Wrap@OscillatorNode_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVOscillatorNode@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Init@EventInit@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Constructor@PageTransitionEvent@dom@mozilla@@SA?AU?$already_AddRefed@VPageTransitionEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUPageTransitionEventInit@23@@Z
+?Init@Event@dom@mozilla@@QAE_NPAVEventTarget@23@@Z
+?UpdateVisibilityState@Document@dom@mozilla@@QAEXXZ
+?DispatchEvent@nsContentUtils@@CA?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsISupports@@ABV?$nsTSubstring@_S@@W4CanBubble@5@W4Cancelable@5@W4Composed@5@W4Trusted@5@PA_NW4ChromeOnlyDispatch@5@@Z
+?HandlePendingFullscreenRequests@Document@dom@mozilla@@SA_NPAV123@@Z
+?DispatchEvent@nsGlobalWindowOuter@@UAE_NAAVEvent@dom@mozilla@@W4CallerType@34@AAVErrorResult@4@@Z
+?PageHidden@nsGlobalWindowInner@@UAEXXZ
+?GenerateFocusActionId@nsFocusManager@@SA_KXZ
+?WindowHidden@nsFocusManager@@QAEXPAVmozIDOMWindowProxy@@_K@Z
+?SendUpdateDocumentHasLoaded@PWindowGlobalChild@dom@mozilla@@QAE_NAB_N@Z
+?HidePopupsInDocument@nsContentUtils@@SAXPAVDocument@dom@mozilla@@@Z
+?GetDocShell@Document@dom@mozilla@@QBEPAVnsIDocShell@@XZ
+?HidePopupsInDocShell@nsXULPopupManager@@QAEXPAVnsIDocShellTreeItem@@@Z
+?HidePopupAfterDelay@nsXULPopupManager@@QAEXPAVnsMenuPopupFrame@@@Z
+?ShowPopupAtScreenRect@nsXULPopupManager@@QAEXPAVnsIContent@@ABV?$nsTSubstring@_S@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@_N3PAVEvent@dom@6@@Z
+?SetActiveMenuBar@nsXULPopupManager@@QAEXPAVnsMenuBarFrame@@_N@Z
+?NotifyUnloadEventEnd@nsDOMNavigationTiming@@QAEXXZ
+?CreateAboutBlankContentViewer@nsDocShell@@UAG?AW4nsresult@@PAVnsIPrincipal@@0PAVnsIContentSecurityPolicy@@@Z
+?FilterStatusForErrorPage@nsDocShell@@SA?AW4nsresult@@W42@PAVnsIChannel@@I_N22PA_N@Z
+?GetPropertyAsBool@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PA_N@Z
+?Equals@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?GetHintCharset@nsDocumentViewer@@UAGPBVEncoding@mozilla@@XZ
+?GetHintCharacterSetSource@nsDocumentViewer@@UAG?AW4nsresult@@PAH@Z
+?GetBounds@nsDocumentViewer@@UAG?AW4nsresult@@AAU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?StopDocumentLoad@Document@dom@mozilla@@QAEXXZ
+?UnsuppressPainting@PresShell@mozilla@@QAEXXZ
+?GetController@Document@dom@mozilla@@QBE?AV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@3@XZ
+?GetController@nsGlobalWindowInner@@UBE?AV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@mozilla@@XZ
+?RemovedFromDocShell@Document@dom@mozilla@@QAEXXZ
+?SaveSubtreeState@FragmentOrElement@dom@mozilla@@UAEXXZ
+?StoreWindowNameToSHEntries@nsDocShell@@QAEXXZ
+?RemoveEventListener@EventListenerManager@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVnsIDOMEventListener@@_N@Z
+?RemoveEventListenerByType@EventListenerManager@mozilla@@QAEXV?$CallbackObjectHolder@VEventListener@dom@mozilla@@VnsIDOMEventListener@@@dom@2@ABV?$nsTSubstring@_S@@ABUEventListenerFlags@2@@Z
+?SetDOMLoadingTimeStamp@nsDOMNavigationTiming@@QAEXPAVnsIURI@@VTimeStamp@mozilla@@@Z
+?DetachFromTopLevelWidget@nsView@@QAE?AW4nsresult@@XZ
+?Closed@MediaKeySession@dom@mozilla@@QBEPAVPromise@23@XZ
+?SetBufferedAmountLowThreshold@DataChannel@mozilla@@QAEXI@Z
+?RemapAllWrappersForObject@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?SetRealmPrincipals@JS@@YAXPAVRealm@1@PAUJSPrincipals@@@Z
+?flushConsoleMessages@nsCSPContext@@QAEXXZ
+?SetRequestBlockingReason@LoadInfo@net@mozilla@@UAG?AW4nsresult@@I@Z
+?CSPToCSPInfo@ipc@mozilla@@YA?AW4nsresult@@PAVnsIContentSecurityPolicy@@PAVCSPInfo@12@@Z
+?GetReferrer@nsCSPContext@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetBlockId@InputBlockState@layers@mozilla@@QBE_KXZ
+?GetSkipAllowInlineStyleCheck@nsCSPContext@@UAE_NXZ
+?SerializePolicies@nsCSPContext@@QAEXAAV?$nsTArray@VContentSecurityPolicy@ipc@mozilla@@@@@Z
+?SetCspInfo@ClientInfo@dom@mozilla@@QAEXABVCSPInfo@ipc@3@@Z
+??$?4VCSPInfo@ipc@mozilla@@X@?$Maybe@VCSPInfo@ipc@mozilla@@@mozilla@@QAEAAV01@$$QAV01@@Z
+??$emplace@VCSPInfo@ipc@mozilla@@@?$Maybe@VCSPInfo@ipc@mozilla@@@mozilla@@QAEX$$QAVCSPInfo@ipc@1@@Z
+??0PrincipalInfo@ipc@mozilla@@QAE@$$QAV012@@Z
+?poison@?$OutOfLinePoisoner@$0KA@@detail@mozilla@@SAXPAXI@Z
+?Read@?$EnumSerializer@W4CallerType@dom@mozilla@@V?$ContiguousEnumValidatorInclusive@W4CallerType@dom@mozilla@@$0A@$00@IPC@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAW4CallerType@dom@mozilla@@@Z
+?Write@?$IPDLParamTraits@VCSPInfo@ipc@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCSPInfo@23@@Z
+??8CSPInfo@ipc@mozilla@@QBE_NABV012@@Z
+_ZN54_$LT$i64$u20$as$u20$rusqlite..types..to_sql..ToSql$GT$6to_sql17h7e3012f5bbc98ec3E
+_ZN70_$LT$percent_encoding..PercentEncode$u20$as$u20$core..fmt..Display$GT$3fmt17hcfa581aa72101451E
+_ZN3url4host4Host5parse17h113e6a138d2473f9E
+?OnNewDocument@WindowGlobalChild@dom@mozilla@@QAEXPAVDocument@23@@Z
+?SetDocumentURI@WindowGlobalChild@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?SendUpdateDocumentURI@PWindowGlobalChild@dom@mozilla@@QAE_NPAVnsIURI@@@Z
+?Write@?$IPDLParamTraits@VPerformanceInfo@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVPerformanceInfo@dom@3@@Z
+?SerializeURI@ipc@mozilla@@YAXPAVnsIURI@@AAV?$Maybe@VURIParams@ipc@mozilla@@@2@@Z
+?Serialize@nsStandardURL@net@mozilla@@UAGXAAVURIParams@ipc@3@@Z
+??4URIParams@ipc@mozilla@@QAEAAV012@ABVStandardURLParams@12@@Z
+?MaybeDestroy@URIParams@ipc@mozilla@@AAE_NW4Type@123@@Z
+??0URIParams@ipc@mozilla@@QAE@$$QAV012@@Z
+??$?4VURIParams@ipc@mozilla@@X@?$Maybe@VURIParams@ipc@mozilla@@@mozilla@@QAEAAV01@$$QAV01@@Z
+?poison@?$OutOfLinePoisoner@$0II@@detail@mozilla@@SAXPAXI@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VIPCDataTransferItem@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVIPCDataTransferItem@dom@mozilla@@I@Z
+?Write@?$IPDLParamTraits@VURIParams@ipc@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVURIParams@23@@Z
+??4URIParams@ipc@mozilla@@QAEAAV012@ABVNestedAboutURIParams@12@@Z
+?Write@?$IPDLParamTraits@VServiceWorkerRegistrationData@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVServiceWorkerRegistrationData@dom@3@@Z
+?SendUpdateDocumentPrincipal@PWindowGlobalChild@dom@mozilla@@QAE_NPAVnsIPrincipal@@@Z
+?Read@?$IPDLParamTraits@VIPCDataTransfer@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVIPCDataTransfer@dom@3@@Z
+?Write@?$IPDLParamTraits@PAVnsIPrincipal@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@PAVnsIPrincipal@@@Z
+?SendUpdateDocumentSecurityInfo@PWindowGlobalChild@dom@mozilla@@QAE_NPAVnsITransportSecurityInfo@@@Z
+?Write@?$ParamTraits@PAVnsITransportSecurityInfo@@@IPC@@SAXPAVMessage@2@PAVnsITransportSecurityInfo@@@Z
+?SendUpdateDocumentCspSettings@PWindowGlobalChild@dom@mozilla@@QAE_NAB_N0@Z
+?SendUpdateSandboxFlags@PWindowGlobalChild@dom@mozilla@@QAE_NABI@Z
+?SendUpdateCookieJarSettings@PWindowGlobalChild@dom@mozilla@@QAE_NABVCookieJarSettingsArgs@net@3@@Z
+?Write@?$IPDLParamTraits@VMemoryReport@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVMemoryReport@dom@3@@Z
+?Write@?$IPDLParamTraits@VCookieJarSettingsArgs@net@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCookieJarSettingsArgs@net@3@@Z
+?SendUpdateHttpsOnlyStatus@PWindowGlobalChild@dom@mozilla@@QAE_NABI@Z
+XPCOMService_GetThirdPartyUtil
+?IsThirdPartyChannel@ThirdPartyUtil@@UAG?AW4nsresult@@PAVnsIChannel@@PAVnsIURI@@PA_N@Z
+?GetIsInThirdPartyContext@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?FavorPerformanceHint@nsBaseAppShell@@UAG?AW4nsresult@@_NI@Z
+?Cancel@nsBaseChannel@@UAG?AW4nsresult@@W42@@Z
+?Cancel@nsInputStreamPump@@UAG?AW4nsresult@@W42@@Z
+?EndDocumentLoad@CanonicalBrowsingContext@dom@mozilla@@AAEX_N@Z
+?AddRef@DocumentChannelParent@net@mozilla@@UAGKXZ
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@V?$CopyableTArray@VServiceWorkerRegistrationDescriptor@dom@mozilla@@@@VCopyableErrorResult@mozilla@@$0A@@mozilla@@UAE@XZ
+?QueryInterface@WorkerRunnable@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetEvent@?$EventQueueInternal@$0EA@@detail@mozilla@@QAE?AU?$already_AddRefed@VnsIRunnable@@@@ABV?$BaseAutoLock@AAVMutex@mozilla@@@23@PAV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@3@@Z
+?Release@PrioritizableRunnable@mozilla@@UAGKXZ
+?ReportException@AutoJSAPI@dom@mozilla@@QAEXXZ
+?OnMessageReceived@PBackgroundIDBRequestChild@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+??1CursorRequestParams@indexedDB@dom@mozilla@@QAE@XZ
+?Read@?$ParamTraits@VJSStructuredCloneData@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAVJSStructuredCloneData@@@Z
+?ExtractBuffers@Pickle@@QBE_NPAVPickleIterator@@IPAV?$BufferList@VInfallibleAllocPolicy@@@mozilla@@I@Z
+?ReadString@Pickle@@QBE_NPAVPickleIterator@@PAV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@Z
+??$MoveFallible@VSystemAllocPolicy@js@@@?$BufferList@VInfallibleAllocPolicy@@@mozilla@@QAE?AV?$BufferList@VSystemAllocPolicy@js@@@1@PA_NVSystemAllocPolicy@js@@@Z
+?Recv__delete__@BackgroundRequestChild@indexedDB@dom@mozilla@@QAE?AVIPCResult@ipc@4@$$QAVRequestResponse@234@@Z
+?AddRef@PermissionRequestBase@indexedDB@dom@mozilla@@W3AGKXZ
+?GetEventTargetParent@DOMEventTargetHelper@mozilla@@UAEXAAVEventChainPreVisitor@2@@Z
+?OnRequestFinished@IDBTransaction@dom@mozilla@@QAEX_N@Z
+?SendCommit@IDBTransaction@dom@mozilla@@AAEX_N@Z
+?SendCommit@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@QAE_NABV?$Maybe@_J@4@@Z
+?Read@?$EnumSerializer@W4SideBits@mozilla@@U?$BitFlagsEnumValidator@W4SideBits@mozilla@@$0P@@IPC@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAW4SideBits@mozilla@@@Z
+?RemoveManagee@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+?DeallocManagee@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@UAEXHPAVIProtocol@ipc@4@@Z
+??1BackgroundRequestChild@indexedDB@dom@mozilla@@EAE@XZ
+?SendComplete@PBackgroundIDBTransactionParent@indexedDB@dom@mozilla@@QAE_NABW4nsresult@@@Z
+?GetServiceWorkerRegistrationDescriptor@WorkerPrivate@dom@mozilla@@QBEABVServiceWorkerRegistrationDescriptor@23@XZ
+?NS_LoadGroupMatchesPrincipal@@YA_NPAVnsILoadGroup@@PAVnsIPrincipal@@@Z
+?GetDocument@WorkerPrivate@dom@mozilla@@QBEPAVDocument@23@XZ
+?NS_NewStreamLoader@@YA?AW4nsresult@@PAPAVnsIStreamLoader@@PAVnsIStreamLoaderObserver@@PAVnsIRequestObserver@@@Z
+?Create@nsStreamLoader@net@mozilla@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?CheckListenerChain@nsStreamListenerWrapper@net@mozilla@@UAG?AW4nsresult@@XZ
+?AddClientChannelHelper@dom@mozilla@@YA?AW4nsresult@@PAVnsIChannel@@$$QAV?$Maybe@VClientInfo@dom@mozilla@@@2@1PAVnsISerialEventTarget@@@Z
+?GetAsciiSpec@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetURI@ContentPrincipal@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetDomain@ContentPrincipal@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetBaseDomain@ContentPrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?NS_URIIsLocalFile@@YA_NPAVnsIURI@@@Z
+??0ContentPrincipalInfo@ipc@mozilla@@QAE@ABVOriginAttributes@2@ABV?$nsTString@D@@1ABV?$Maybe@V?$nsTString@D@@@2@1@Z
+??4PrincipalInfo@ipc@mozilla@@QAEAAV012@$$QAVContentPrincipalInfo@12@@Z
+??$?4V?$nsTString@D@@X@?$Maybe@V?$nsTString@D@@@mozilla@@QAEAAV01@$$QAV01@@Z
+mozurl_origin
+_ZN3url3Url8host_str17h19a42c4c2ac1cac8E
+mp4parse_get_pssh_info
+_ZN92_$LT$nsstring..nsCString$u20$as$u20$core..convert..From$LT$alloc..vec..Vec$LT$u8$GT$$GT$$GT$4from17h1ab0699eff70880dE
+??4DocumentChannelElementCreationArgs@net@mozilla@@QAEAAV012@ABVObjectCreationArgs@12@@Z
+?GetEmbedderPolicy@WorkerPrivate@dom@mozilla@@QBE?AW4CrossOriginEmbedderPolicy@nsILoadInfo@@XZ
+?GetOwnerEmbedderPolicy@WorkerPrivate@dom@mozilla@@QBE?AW4CrossOriginEmbedderPolicy@nsILoadInfo@@XZ
+?Read@?$IPDLParamTraits@V?$Maybe@V?$nsTString@D@@@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$Maybe@V?$nsTString@D@@@3@@Z
+?Release@nsStreamLoader@net@mozilla@@UAGKXZ
+?Read@?$IPDLParamTraits@VCSPInfo@ipc@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVCSPInfo@23@@Z
+?Read@?$IPDLParamTraits@V?$Maybe@VURIParams@ipc@mozilla@@@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$Maybe@VURIParams@ipc@mozilla@@@3@@Z
+?Read@?$IPDLParamTraits@VURIParams@ipc@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVURIParams@23@@Z
+?DeserializeURI@ipc@mozilla@@YA?AU?$already_AddRefed@VnsIURI@@@@ABV?$Maybe@VURIParams@ipc@mozilla@@@2@@Z
+?DeserializeURI@ipc@mozilla@@YA?AU?$already_AddRefed@VnsIURI@@@@ABVURIParams@12@@Z
+?Deserialize@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@ABVURIParams@ipc@4@@Z
+?Deserialize@nsStandardURL@net@mozilla@@IAE_NABVURIParams@ipc@3@@Z
+?Read@?$IPDLParamTraits@PAVnsIPrincipal@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$RefPtr@VnsIPrincipal@@@@@Z
+?Read@?$IPDLParamTraits@V?$Maybe@VPrincipalInfo@ipc@mozilla@@@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$Maybe@VPrincipalInfo@ipc@mozilla@@@3@@Z
+?RecvUpdateDocumentPrincipal@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@PAVnsIPrincipal@@@Z
+?Read@?$ParamTraits@PAVnsITransportSecurityInfo@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$RefPtr@VnsITransportSecurityInfo@@@@@Z
+?Read@?$IPDLParamTraits@VCookieJarSettingsArgs@net@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVCookieJarSettingsArgs@net@3@@Z
+?RecvUpdateCookieJarSettings@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABVCookieJarSettingsArgs@net@3@@Z
+_ZN5style7stylist11CascadeData5clear17hf0c3373f09ea32e1E
+_ZN5style7stylist11CascadeData18clear_cascade_data17heb714cd17ee568d9E
+?OnStopRequest@nsDocumentOpenInfo@@UAG?AW4nsresult@@PAVnsIRequest@@W42@@Z
+?OnStopRequest@ParentChannelWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@W44@@Z
+?OnPrototypeLoadDone@PrototypeDocumentContentSink@dom@mozilla@@QAE?AW4nsresult@@PAVnsXULPrototypeDocument@@@Z
+?SetPrototypeDocument@Document@dom@mozilla@@QAEXPAVnsXULPrototypeDocument@@@Z
+?BeginLoad@Document@dom@mozilla@@QAEXXZ
+?BlockOnload@Document@dom@mozilla@@QAEXXZ
+?HasIdElementExposedAsHTMLDocumentProperty@IdentifierMapEntry@mozilla@@QAE_NXZ
+?BeginDeferringScripts@ScriptLoader@dom@mozilla@@QAEXXZ
+?BeginLoad@PresShell@mozilla@@UAEXPAVDocument@dom@2@@Z
+?NS_NewXMLProcessingInstruction@@YA?AU?$already_AddRefed@VProcessingInstruction@dom@mozilla@@@@PAVnsNodeInfoManager@@ABV?$nsTSubstring@_S@@1@Z
+??0CharacterData@dom@mozilla@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?SetTextInternal@CharacterData@dom@mozilla@@IAE?AW4nsresult@@IIPB_SI_NPAUDetails@CharacterDataChangeInfo@@@Z
+?SetTo@nsTextFragment@@QAE_NPB_SH_N1@Z
+?FirstNon8Bit@SSE2@mozilla@@YAHPB_S0@Z
+??0LinkStyle@dom@mozilla@@IAE@XZ
+?AddRef@DocumentFragment@dom@mozilla@@UAGKXZ
+?SuppressParserErrorConsoleMessages@XMLDocument@dom@mozilla@@UAE_NXZ
+?BindToTree@CharacterData@dom@mozilla@@UAE?AW4nsresult@@AAUBindContext@23@AAVnsINode@@@Z
+?UpdateStyleSheetInternal@LinkStyle@dom@mozilla@@QAEXXZ
+?DoUpdateStyleSheet@LinkStyle@dom@mozilla@@IAE?AV?$Result@UUpdate@LinkStyle@dom@mozilla@@W4nsresult@@@3@PAVDocument@23@PAVShadowRoot@23@PAVnsICSSLoaderObserver@@W4ForceUpdate@123@@Z
+?AsContent@XMLStylesheetProcessingInstruction@dom@mozilla@@MAEAAVnsIContent@@XZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VOwningFileOrDirectory@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVOwningFileOrDirectory@dom@mozilla@@I@Z
+?InProlog@nsContentUtils@@SA_NPAVnsINode@@@Z
+?GetData@CharacterData@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?GetPseudoAttributeValue@nsContentUtils@@SA_NABV?$nsTString@_S@@PAVnsAtom@@AAV?$nsTSubstring@_S@@@Z
+?SplitMimeType@nsContentUtils@@SAXABV?$nsTSubstring@_S@@AAV?$nsTString@_S@@1@Z
+?NS_NewURI@@YA?AW4nsresult@@PAPAVnsIURI@@ABV?$nsTSubstring@_S@@V?$NotNull@PBVEncoding@mozilla@@@mozilla@@PAV2@@Z
+?NS_NewURI@@YA?AW4nsresult@@PAPAVnsIURI@@ABV?$nsTSubstring@D@@V?$NotNull@PBVEncoding@mozilla@@@mozilla@@PAV2@@Z
+??0ReferrerInfo@dom@mozilla@@QAE@ABVDocument@12@@Z
+?GetReferrerPolicy@Document@dom@mozilla@@QBE?AW4ReferrerPolicy@23@XZ
+??0SheetInfo@LinkStyle@dom@mozilla@@QAE@ABVDocument@23@PAVnsIContent@@U?$already_AddRefed@VnsIURI@@@@U?$already_AddRefed@VnsIPrincipal@@@@U?$already_AddRefed@VnsIReferrerInfo@@@@W4CORSMode@3@ABV?$nsTSubstring@_S@@666W4HasAlternateRel@123@W4IsInline@123@W4IsExplicitlyEnabled@123@@Z
+??0SheetInfo@LinkStyle@dom@mozilla@@QAE@ABU0123@@Z
+??1SheetInfo@LinkStyle@dom@mozilla@@QAE@XZ
+?LoadStyleLink@Loader@css@mozilla@@QAE?AV?$Result@UUpdate@LinkStyle@dom@mozilla@@W4nsresult@@@3@ABUSheetInfo@LinkStyle@dom@3@PAVnsICSSLoaderObserver@@@Z
+?QueryInterface@CharacterData@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsIContent@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetWeakReference@nsNodeSupportsWeakRefTearoff@@UAG?AW4nsresult@@PAPAVnsIWeakReference@@@Z
+?CreateSlots@nsIContent@@MAEPAVnsContentSlots@1@XZ
+??0nsSlots@nsINode@@QAE@XZ
+?Release@DocumentObserver@IMEContentObserver@mozilla@@UAGKXZ
+?GetClientInfo@Document@dom@mozilla@@QBE?AV?$Maybe@VClientInfo@dom@mozilla@@@3@XZ
+?IsThirdPartyWindow@ThirdPartyUtil@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@PAVnsIURI@@PA_N@Z
+?GetTopLevelStorageAreaPrincipal@nsGlobalWindowInner@@QAEPAVnsIPrincipal@@XZ
+?StorageAccessSandboxed@Document@dom@mozilla@@QBE_NXZ
+?GetLoadContext@Document@dom@mozilla@@QBEPAVnsILoadContext@@XZ
+?SetCspNonce@LoadInfo@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?Release@HTMLAnchorElement@dom@mozilla@@UAGKXZ
+?Release@nsNodeWeakReference@@UAGKXZ
+?Lookup@SharedStyleSheetCache@mozilla@@QAE?AV?$tuple@V?$RefPtr@VStyleSheet@mozilla@@@@W4SheetState@Loader@css@mozilla@@@std@@AAVLoader@css@2@ABVSheetLoadDataHashKey@2@_N@Z
+?GetStyleSheet@nsXULPrototypeCache@@QAEPAVStyleSheet@mozilla@@PAVnsIURI@@@Z
+?SetStyleSheet@LinkStyle@dom@mozilla@@QAEXPAVStyleSheet@3@@Z
+?CreateAsStyle@PreloadHashKey@mozilla@@SA?AV12@AAVSheetLoadData@css@2@@Z
+?LookupPreload@PreloadService@mozilla@@QBE?AU?$already_AddRefed@VPreloaderBase@mozilla@@@@ABVPreloadHashKey@2@@Z
+?CoalesceLoad@SharedStyleSheetCache@mozilla@@QAE_NABVSheetLoadDataHashKey@2@AAVSheetLoadData@css@2@W4SheetState@Loader@52@@Z
+?NotifyOpen@PreloaderBase@mozilla@@QAEXABVPreloadHashKey@2@PAVDocument@dom@2@_N@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@V?$UniquePtr@URawServoSelectorList@@V?$DefaultDelete@URawServoSelectorList@@@mozilla@@@mozilla@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?HashKey@PreloadHashKey@mozilla@@SAIPBV12@@Z
+??0PreloadHashKey@mozilla@@QAE@PBV01@@Z
+?NS_NewChannelWithTriggeringPrincipal@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsINode@@PAVnsIPrincipal@@IIPAVPerformanceStorage@dom@mozilla@@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@@Z
+?PredictorLearn@net@mozilla@@YA?AW4nsresult@@PAVnsIURI@@0IPAVDocument@dom@2@@Z
+??_GnsExtendedContentSlots@nsIContent@@UAEPAXI@Z
+?GetByInnerWindowId@WindowGlobalParent@dom@mozilla@@SA?AU?$already_AddRefed@VWindowGlobalParent@dom@mozilla@@@@_K@Z
+?GetTopWindowExcludingExtensionAccessibleContentFrames@AntiTrackingUtils@mozilla@@SA?AU?$already_AddRefed@VWindowGlobalParent@dom@mozilla@@@@PAVCanonicalBrowsingContext@dom@2@PAVnsIURI@@@Z
+?LoadStarted@SharedStyleSheetCache@mozilla@@QAEXABVSheetLoadDataHashKey@2@AAVSheetLoadData@css@2@@Z
+?ReadDateTimePattern@OSPreferences@intl@mozilla@@AAE_NW4DateTimeFormatStyle@123@0ABV?$nsTSubstring@D@@AAV5@@Z
+?SetHost@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Clone@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@PAPAVnsIURI@@@Z
+?SetPathQueryRef@?$TemplatedMutator@VnsStandardURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetPathQueryRef@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetSpecInternal@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?NS_NewElement@@YA?AW4nsresult@@PAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@34@PBV?$nsTSubstring@_S@@@Z
+?NewXULOrHTMLElement@nsContentUtils@@SA?AW4nsresult@@PAPAVElement@dom@mozilla@@PAVNodeInfo@45@W4FromParser@45@PAVnsAtom@@PAUCustomElementDefinition@45@@Z
+?CreateHTMLElement@@YA?AU?$already_AddRefed@VnsGenericHTMLElement@@@@I$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?ToString@nsAttrValue@@QBEXAAV?$nsTSubstring@_S@@@Z
+?SetAttr@Element@dom@mozilla@@QAE?AW4nsresult@@HPAVnsAtom@@0ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@_N@Z
+?BeforeSetAttr@nsGenericHTMLElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValueOrString@@_N@Z
+?ParseAttribute@nsGenericHTMLElement@@UAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?ParseAttribute@Element@dom@mozilla@@MAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?SetAttrAndNotify@Element@dom@mozilla@@IAE?AW4nsresult@@HPAVnsAtom@@0PBVnsAttrValue@@AAV6@PAVnsIPrincipal@@E_N44PAVDocument@23@ABVmozAutoDocUpdate@@@Z
+?SetTo@nsAttrValue@@QAEXABV1@@Z
+?SetAndSwapAttr@AttrArray@@QAE?AW4nsresult@@PAVnsAtom@@AAVnsAttrValue@@PA_N@Z
+?AfterSetAttr@nsGenericHTMLElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?IntrinsicState@nsGenericHTMLElement@@UBE?AVEventStates@mozilla@@XZ
+??1nsAttrValue@@QAE@XZ
+?SetAndSwapAttr@AttrArray@@QAE?AW4nsresult@@PAVNodeInfo@dom@mozilla@@AAVnsAttrValue@@PA_N@Z
+?IndexOfAttr@AttrArray@@QBEHPBVnsAtom@@H@Z
+?s_HashKey@?$nsTHashtable@VIdentifierMapEntry@mozilla@@@@KAIPBX@Z
+?UseSynchronousTaskDispatch@Private@?$MozPromise@_N_N$00@mozilla@@QAEXPBD@Z
+?UpdateDocumentStates@Document@dom@mozilla@@QAEXVEventStates@3@_N@Z
+?Run@nsDocElementCreatedNotificationRunner@@UAG?AW4nsresult@@XZ
+?NotifyDocElementCreated@nsContentSink@@SAXPAVDocument@dom@mozilla@@@Z
+?Host@URLInfo@extensions@mozilla@@QBEABV?$nsTString@D@@XZ
+?GetDomWindow@nsDocShell@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?GetConstructorObject@HTMLDivElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetExpandoObject@DOMProxyHandler@dom@mozilla@@SAPAVJSObject@@PAV4@@Z
+?ResolveName@nsHTMLDocument@@QAE_NPAUJSContext@@ABV?$nsTSubstring@_S@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@mozilla@@@Z
+?GetPropertyOnPrototype@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@V?$Handle@UPropertyKey@JS@@@5@PA_NV?$MutableHandle@VValue@JS@@@5@@Z
+?GetObjectProto@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@4@@Z
+?GetIsSystemPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetContentType@Document@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetDocumentURIFromJS@Document@dom@mozilla@@QBEXAAV?$nsTString@_S@@W4CallerType@23@AAVErrorResult@3@@Z
+?GetDocumentURI@Document@dom@mozilla@@QBE?AW4nsresult@@AAV?$nsTString@_S@@@Z
+?QueryInterface@mozJSSubScriptLoader@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??$GenericGetter@UMaybeCrossOriginObjectThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?CreateInterfaceObjects@FontFaceSetLoadEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetOwnerGlobalForBindings@EventTarget@dom@mozilla@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@XZ
+?GetOwnerGlobalForBindingsInternal@nsINode@@UAEPAVnsPIDOMWindowOuter@@XZ
+?GetFromCurrentInner@nsPIDOMWindowOuter@@SAPAV1@PAVnsPIDOMWindowInner@@@Z
+?LoadSubScript@mozJSSubScriptLoader@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@5@@Z
+?JS_FindCompilationScope@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ToWindowIfWindowProxy@js@@YAPAVJSObject@@PAV2@@Z
+??0ClientInfo@google_breakpad@@QAE@PAVCrashGenerationServer@1@KW4_MINIDUMP_TYPE@@PAKPAPAU_EXCEPTION_POINTERS@@PAUMDRawAssertionInfo@@ABUCustomClientInfo@1@@Z
+?Initialize@ClientInfo@google_breakpad@@QAE_NXZ
+?CloneAndExecuteScript@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@1@V?$MutableHandle@VValue@JS@@@1@@Z
+?CloneGlobalScript@js@@YAPAVJSScript@@PAUJSContext@@W4ScopeKind@1@V?$Handle@PAVJSScript@@@JS@@@Z
+?clone@GlobalScope@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVGlobalScope@js@@@JS@@W4ScopeKind@2@@Z
+?CloneScriptRegExpObject@js@@YAPAVJSObject@@PAUJSContext@@AAVRegExpObject@1@@Z
+?ExposeScriptToDebugger@JS@@YAXPAUJSContext@@V?$Handle@PAVJSScript@@@1@@Z
+?GetChildWindow@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@ABV?$nsTSubstring@_S@@@Z
+?IsPlatformObjectSameOrigin@MaybeCrossOriginObjectMixins@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?StringIsArrayIndex@js@@YA_NPAVJSLinearString@@PAI@Z
+?CountMaybeMissingProperty@Window_Binding@dom@mozilla@@YA_NV?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@@Z
+?HasPropertyOnPrototype@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?nonNativeSetProperty@JSObject@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@3AAVObjectOpResult@4@@Z
+?set@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@V?$Handle@VValue@JS@@@5@3AAVObjectOpResult@5@@Z
+?set@BaseProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@V?$Handle@VValue@JS@@@5@3AAVObjectOpResult@5@@Z
+?getOwnPropertyDescriptor@BaseDOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$MutableHandle@UPropertyDescriptor@JS@@@6@@Z
+?SetPropertyIgnoringNamedGetter@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@3V?$Handle@UPropertyDescriptor@JS@@@4@AAVObjectOpResult@4@@Z
+?SetPropertyByDefining@js@@YA_NPAUJSContext@@V?$Handle@UPropertyKey@JS@@@JS@@V?$Handle@VValue@JS@@@4@2AAVObjectOpResult@4@@Z
+?getOwnPropertyDescriptor@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@V?$MutableHandle@UPropertyDescriptor@JS@@@5@@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@VValue@JS@@@?$nsTArray_Impl@V?$Heap@VValue@JS@@@JS@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$Heap@VValue@JS@@@JS@@PBVValue@2@I@Z
+?getOwnPropertyDescriptor@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@V?$MutableHandle@UPropertyDescriptor@JS@@@5@@Z
+?wrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@UPropertyDescriptor@JS@@@2@@Z
+?NewDeadProxyObject@js@@YAPAVJSObject@@PAUJSContext@@W4IsCallableFlag@1@W4IsConstructorFlag@1@@Z
+?defineProperty@?$MaybeCrossOriginObject@VWrapper@js@@@dom@mozilla@@MBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$Handle@UPropertyDescriptor@JS@@@6@AAVObjectOpResult@6@@Z
+?defineProperty@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@V?$Handle@UPropertyDescriptor@JS@@@5@AAVObjectOpResult@5@@Z
+??$GenericMethod@UMaybeCrossOriginObjectThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?ComputeDefaultWantsUntrusted@nsGlobalWindowInner@@UAE_NAAVErrorResult@mozilla@@@Z
+?GetOrCreateListenerManager@nsGlobalWindowInner@@UAEPAVEventListenerManager@mozilla@@XZ
+?AddEventListener@EventListenerManager@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVEventListener@dom@2@ABVAddEventListenerOptionsOrBoolean@52@_N@Z
+?AddEventListener@EventListenerManager@mozilla@@IAEXABV?$nsTSubstring@_S@@V?$CallbackObjectHolder@VEventListener@dom@mozilla@@VnsIDOMEventListener@@@dom@2@ABVAddEventListenerOptionsOrBoolean@52@_N@Z
+?NotifyHasXRSession@nsGlobalWindowInner@@QAEXXZ
+?QueryInterface@nsGlobalWindowInner@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CreateInterfaceObjects@DOMParser_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@DOMParser@dom@mozilla@@SA?AU?$already_AddRefed@VDOMParser@dom@mozilla@@@@ABVGlobalObject@23@AAVErrorResult@3@@Z
+?Create@NullPrincipal@mozilla@@SA?AU?$already_AddRefed@VNullPrincipal@mozilla@@@@ABVOriginAttributes@2@PAVnsIURI@@@Z
+?Init@NullPrincipal@mozilla@@QAE?AW4nsresult@@ABVOriginAttributes@2@PAVnsIURI@@@Z
+?Wrap@DOMParser_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMParser@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@XULElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Element_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsCallerChromeOrElementTransformGettersEnabled@nsContentUtils@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?IsSystemCaller@XPCJSContext@@UBE_NXZ
+?dom_pointer_lock_enabled@StaticPrefs@mozilla@@YA_NXZ
+?IsCallerChromeOrAddon@Document@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?accessibility_ARIAReflection_enabled@StaticPrefs@mozilla@@YA_NXZ
+??_9?$AbstractCanonical@V?$Maybe@VTimeUnit@media@mozilla@@@mozilla@@@mozilla@@$B3AE
+?AddIPCProfilerMarker@IPC@@YAXABVMessage@1@HW4MessageDirection@ipc@mozilla@@W4MessagePhase@45@@Z
+?CreateInterfaceObjects@HTMLElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@ElementInternals_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?html5_inert_enabled@StaticPrefs@mozilla@@YA_NXZ
+?dom_forms_inputmode@StaticPrefs@mozilla@@YA_NXZ
+?dom_forms_enterkeyhint@StaticPrefs@mozilla@@YA_NXZ
+?dom_forms_autocapitalize@StaticPrefs@mozilla@@YA_NXZ
+?CustomElements@nsGlobalWindowInner@@UAEPAVCustomElementRegistry@dom@mozilla@@XZ
+??0CustomElementRegistry@dom@mozilla@@QAE@PAVnsPIDOMWindowInner@@@Z
+?SetCustomElementDefinition@CustomElementData@dom@mozilla@@QAEXPAUCustomElementDefinition@23@@Z
+?WrapObject@CustomElementRegistry@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@CustomElementRegistry_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVCustomElementRegistry@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@CustomElementRegistry_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?SetElementCreationCallback@CustomElementRegistry@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVCustomElementCreationCallback@23@AAVErrorResult@3@@Z
+??$is@VDebugEnvironmentProxy@js@@@JSObject@@QBE_NXZ
+?CustomElementReactionsStack@DocGroup@dom@mozilla@@QAEPAV023@XZ
+?Define@CustomElementRegistry@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@AAVCustomElementConstructor@23@ABUElementDefinitionOptions@23@AAVErrorResult@3@@Z
+?IsCustomElementName@nsContentUtils@@SA_NPAVnsAtom@@I@Z
+??0LifecycleCallbacks@dom@mozilla@@QAE@XZ
+?Init@LifecycleCallbacks@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?JS_GetUCProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PB_SIV?$MutableHandle@VValue@JS@@@3@@Z
+??0Pickle@@QAE@IPBDI@Z
+?AddAudioOutput@CrossGraphPort@mozilla@@QAEXPAX@Z
+?OnChannelConnected@GeckoChildProcessHost@ipc@mozilla@@UAEXH@Z
+??0Revocable@RevocableStore@@QAE@PAV1@@Z
+?poison@?$OutOfLinePoisoner@$0FA@@detail@mozilla@@SAXPAXI@Z
+?OnMessageReceived@GeckoChildProcessHost@ipc@mozilla@@UAEX$$QAVMessage@IPC@@@Z
+??0Message@IPC@@QAE@$$QAV01@@Z
+??$ThrowErrorWithMessage@$03AAY0L@$$CBD@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXW4nsresult@@AAY0L@$$CBD@Z
+?NS_NewDOMCustomEvent@@YA?AU?$already_AddRefed@VCustomEvent@dom@mozilla@@@@PAVEventTarget@dom@mozilla@@PAVnsPresContext@@PAVWidgetEvent@4@@Z
+?WrapObject@ConstructibleEventTarget@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?InitCustomEvent@CustomEvent@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@_N2V?$Handle@VValue@JS@@@JS@@@Z
+?AddRef@AudioProcessingEvent@dom@mozilla@@UAGKXZ
+?PostDOMEvent@AsyncEventDispatcher@mozilla@@QAE?AW4nsresult@@XZ
+?GetOwnerGlobal@nsINode@@UBEPAVnsIGlobalObject@@XZ
+?Dispatch@nsGlobalWindowInner@@UAE?AW4nsresult@@W4TaskCategory@mozilla@@$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+??1DOMMatrixReadOnly@dom@mozilla@@MAE@XZ
+?SetUseCounter@dom@mozilla@@YAXPAVJSObject@@W4UseCounter@2@@Z
+?Release@CustomElementReactionsStack@dom@mozilla@@QAGKXZ
+?growStorageBy@?$Vector@I$07VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?growStorageBy@?$Vector@VOperandLocation@jit@js@@$07VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?emitLoadEnclosingEnvironment@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0@Z
+?CreateInterfaceObjects@XULMenuElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@XULPopupElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsWindowSlow@detail@js@@YA_NPAVJSObject@@@Z
+?IsNameWithDash@nsContentUtils@@SA_NPAVnsAtom@@@Z
+??$HasNativeDataPropertyPure@$00@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVValue@JS@@@Z
+?CreateInterfaceObjects@XULTextElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@XULTreeElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??_GnsDocElementCreatedNotificationRunner@@UAEPAXI@Z
+?GetTextNodeInfo@nsNodeInfoManager@@QAE?AU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@XZ
+?SetText@CharacterData@dom@mozilla@@QAE?AW4nsresult@@PB_SI_N@Z
+?TextNodeWillChangeDirection@mozilla@@YA_NPAVnsTextNode@@PAW4Directionality@1@I@Z
+?SetDirectionFromNewTextNode@mozilla@@YAXPAVnsTextNode@@@Z
+?Release@HTMLButtonElement@dom@mozilla@@UAGKXZ
+?NS_NewHTMLLinkElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0Link@dom@mozilla@@QAE@PAVElement@12@@Z
+?ParseAsValue@HTMLLinkElement@dom@mozilla@@SAXABV?$nsTSubstring@_S@@AAVnsAttrValue@@@Z
+?CancelDNSPrefetch@Link@dom@mozilla@@QAEXII@Z
+?LinkAdded@HTMLLinkElement@dom@mozilla@@QAEXXZ
+??0nsPrefetchService@@QAE@XZ
+?Init@nsPrefetchService@@QAE?AW4nsresult@@XZ
+?Release@nsPrefetchService@@UAGKXZ
+?QueryInterface@nsPrefetchService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetURI@Link@dom@mozilla@@QBEPAVnsIURI@@XZ
+?GetHrefURI@HTMLLinkElement@dom@mozilla@@UBE?AU?$already_AddRefed@VnsIURI@@@@XZ
+?GetHrefURIForAnchors@nsGenericHTMLElement@@IBE?AU?$already_AddRefed@VnsIURI@@@@XZ
+?GetURIAttr@nsGenericHTMLElement@@QBE_NPAVnsAtom@@0PAPAVnsIURI@@@Z
+?IsAttributeMapped@nsGenericHTMLElement@@UBG_NPBVnsAtom@@@Z
+?ParseLinkTypes@LinkStyle@dom@mozilla@@SAIABV?$nsTSubstring@_S@@@Z
+??0?$nsTDependentSubstring@_S@@QAE@PB_S0@Z
+?ASCIIToLower@nsContentUtils@@SAXABV?$nsTSubstring@_S@@AAV2@@Z
+?AsContent@HTMLImageElement@dom@mozilla@@MAEPAVnsIContent@@XZ
+?LinkState@Link@dom@mozilla@@QBE?AVEventStates@3@XZ
+?ResetLinkState@Link@dom@mozilla@@QAEX_N0@Z
+?GetStringValue@nsAttrValue@@QBE?BVnsCheapString@@XZ
+?GetAttrTriggeringPrincipal@nsContentUtils@@SAPAVnsIPrincipal@@PAVnsIContent@@ABV?$nsTSubstring@_S@@PAV2@@Z
+?GetAttr@AttrArray@@QBEPBVnsAttrValue@@PBVnsAtom@@H@Z
+?Equals@nsAttrValue@@QBE_NPBVnsAtom@@W4nsCaseTreatment@@@Z
+?Equals@nsAttrValue@@QBE_NABV?$nsTSubstring@_S@@W4nsCaseTreatment@@@Z
+?Release@SVGGraphicsElement@dom@mozilla@@WGA@AGKXZ
+?ElementHasHref@Link@dom@mozilla@@UBE_NXZ
+?GetAttr@Element@dom@mozilla@@QBE_NHPBVnsAtom@@AAV?$nsTSubstring@_S@@@Z
+?PrefetchPreloadEnabled@nsContentUtils@@SA_NPAVnsIDocShell@@@Z
+?GetAppType@nsDocShell@@UAG?AW4nsresult@@PAW4AppType@nsIDocShell@@@Z
+?GetInProcessParent@nsDocShell@@UAG?AW4nsresult@@PAPAVnsIDocShellTreeItem@@@Z
+?LocalizationLinkAdded@Document@dom@mozilla@@QAEXPAVElement@23@@Z
+?Create@DocumentL10n@dom@mozilla@@SA?AV?$RefPtr@VDocumentL10n@dom@mozilla@@@@PAVDocument@23@_N@Z
+??0BundleGenerator@dom@mozilla@@QAE@XZ
+?Init@BundleGenerator@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?AddRef@DocumentL10n@dom@mozilla@@W3AGKXZ
+??0Localization@intl@mozilla@@IAE@PAVnsIGlobalObject@@_NABUBundleGenerator@dom@2@@Z
+?GetCurrentContentSink@Document@dom@mozilla@@QAEPAVnsISupports@@XZ
+?AddRef@Localization@intl@mozilla@@UAGKXZ
+?Init@Localization@intl@mozilla@@MAE_NXZ
+?TranslateRoots@DOMLocalization@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVErrorResult@3@@Z
+?QueryInterface@Localization@intl@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@DocumentL10n@dom@mozilla@@UAGKXZ
+?Release@DocumentL10n@dom@mozilla@@UAGKXZ
+?Release@Localization@intl@mozilla@@UAGKXZ
+?AddResourceId@Localization@intl@mozilla@@QAEIABV?$nsTSubstring@_S@@@Z
+?OnChange@Localization@intl@mozilla@@MAEXXZ
+?HasNonEmptyAttr@nsContentUtils@@SA_NPBVnsIContent@@HPAVnsAtom@@@Z
+?FindAttrValueIn@Element@dom@mozilla@@QBEHHPBVnsAtom@@PBQAVnsStaticAtom@@W4nsCaseTreatment@@@Z
+?NS_NewHTMLTitleElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0FragmentOrElement@dom@mozilla@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?AddMutationObserver@nsINode@@QAEXPAVnsIMutationObserver@@@Z
+?CreateSlots@FragmentOrElement@dom@mozilla@@MAEPAVnsContentSlots@nsIContent@@XZ
+?GetAutocomplete@HTMLTextAreaElement@dom@mozilla@@QAEXAAVDOMString@23@@Z
+?NotifyPossibleTitleChange@Document@dom@mozilla@@UAEX_N@Z
+?NS_NewHTMLScriptElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Max@HTMLProgressElement@dom@mozilla@@QBENXZ
+?QueryInterface@HTMLScriptElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?MaybeProcessScript@ScriptElement@dom@mozilla@@MAE_NXZ
+?QueryInterface@Element@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsGlobalWindowInner@@WBA@AGKXZ
+?GetThisValueForDebuggerFrameMaybeOptimizedOut@js@@YA_NPAUJSContext@@VAbstractFramePtr@1@PAEV?$MutableHandle@VValue@JS@@@JS@@@Z
+?ConstructorEnabled@AddonEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?IsAPIEnabled@AddonManagerWebAPI@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?CreateInterfaceObjects@AddonManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@Sanitizer_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?SetPrivateBrowsing@nsDocShell@@UAG?AW4nsresult@@_N@Z
+?obj_toString@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+??$GenericSetter@UMaybeCrossOriginObjectThisPolicy@binding_detail@dom@mozilla@@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SetEventHandler@EventListenerManager@mozilla@@QAEXPAVnsAtom@@PAVEventHandlerNonNull@dom@2@@Z
+?Activate@Localization@intl@mozilla@@QAEX_N@Z
+??RnsImportModule@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ImportModule@loader@mozilla@@YA?AW4nsresult@@PBD0ABUnsID@@PAPAX@Z
+?BroadcastChanges@WritableSharedMap@ipc@dom@mozilla@@AAEXXZ
+?Update@SharedMap@ipc@dom@mozilla@@QAEXABVFileDescriptor@24@I$$QAV?$nsTArray@V?$RefPtr@VBlobImpl@dom@mozilla@@@@@@$$QAV?$nsTArray@V?$nsTString@D@@@@@Z
+?Init@EventInit@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+??$?8UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@QBE_NABV0@@Z
+??0AutoJSContext@mozilla@@QAE@XZ
+?GetAppLocalesAsBCP47@LocaleService@intl@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?FinishDynamicModuleImport@js@@YA_NPAUJSContext@@W4DynamicImportStatus@JS@@V?$Handle@VValue@JS@@@4@V?$Handle@PAVJSString@@@4@V?$Handle@PAVJSObject@@@4@@Z
+?ParseBackgroundAttribute@nsGenericHTMLElement@@QAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@AAVnsAttrValue@@@Z
+?CreateFromPrototype@nsXULElement@@SA?AW4nsresult@@PAVnsXULPrototypeElement@@PAVDocument@dom@mozilla@@_N2PAPAVElement@56@@Z
+?LookupCustomElementDefinition@CustomElementRegistry@dom@mozilla@@QAEPAUCustomElementDefinition@23@PAVnsAtom@@H0@Z
+?Construct@nsXULElement@@SAPAV1@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0CustomElementData@dom@mozilla@@QAE@PAVnsAtom@@@Z
+?SetCustomElementData@Element@dom@mozilla@@QAEXPAUCustomElementData@23@@Z
+?RemoveStates@Element@dom@mozilla@@MAEXVEventStates@3@@Z
+?NotifyStateChange@Element@dom@mozilla@@AAEXVEventStates@3@@Z
+?SwapFrameLoaders@XULFrameElement@dom@mozilla@@QAEXAAV123@AAVErrorResult@3@@Z
+?TryToUpgradeElement@nsContentUtils@@SAXPAVElement@dom@mozilla@@@Z
+?RegisterUnresolvedElement@CustomElementRegistry@dom@mozilla@@QAEXPAVElement@23@PAVnsAtom@@@Z
+?QueryInterface@nsXULElement@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@FragmentOrElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IntrinsicState@Element@dom@mozilla@@MBE?AVEventStates@3@XZ
+??_GDOMStringList@dom@mozilla@@MAEPAXI@Z
+?Call@CustomElementCreationCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@ABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?Construct@CustomElementConstructor@dom@mozilla@@QAEXV?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@PBDW4ExceptionHandling@CallbackObject@23@PAVRealm@5@@Z
+?SetXULBoolAttr@nsXULElement@@QAEXPAVnsAtom@@_N@Z
+?HTMLConstructor@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@W4ID@id@constructors@23@W478prototypes@23@P6AX0V?$Handle@PAVJSObject@@@6@AAVProtoAndIfaceCache@23@_N@Z@Z
+?LookupCustomElementDefinition@CustomElementRegistry@dom@mozilla@@QBEPAUCustomElementDefinition@23@PAUJSContext@@PAVJSObject@@@Z
+?GetConstructorObject@XULElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?JS_IsNativeFunction@@YA_NPAVJSObject@@P6A_NPAUJSContext@@IPAVValue@JS@@@Z@Z
+??0CustomElementData@dom@mozilla@@QAE@PAVnsAtom@@W4State@012@@Z
+?SetCustomElementDefinition@Element@dom@mozilla@@QAEXPAUCustomElementDefinition@23@@Z
+?IsObjectInContextCompartment@js@@YA_NPAVJSObject@@PBUJSContext@@@Z
+?DoCommand@nsXULElement@@QAEXXZ
+?Wrap@XULElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsXULElement@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@nsINode@@QBE?AUParentObject@dom@mozilla@@XZ
+?Wrap@?$WrapNativeHelper@VnsISupports@@$0A@@dom@mozilla@@SAPAVJSObject@@PAUJSContext@@PAVnsISupports@@PAVnsWrapperCache@@@Z
+?EnqueueLifecycleCallback@nsContentUtils@@SAXW4ElementCallbackType@dom@mozilla@@PAVElement@34@PAULifecycleCallbackArgs@34@PAULifecycleAdoptedCallbackArgs@34@PAUCustomElementDefinition@34@@Z
+?EnqueueLifecycleCallback@CustomElementRegistry@dom@mozilla@@SAXW4ElementCallbackType@23@PAVElement@23@PAULifecycleCallbackArgs@23@PAULifecycleAdoptedCallbackArgs@23@PAUCustomElementDefinition@23@@Z
+?GetCustomElementDefinition@Element@dom@mozilla@@QBEPAUCustomElementDefinition@23@XZ
+?CallGetCustomInterface@CustomElementRegistry@dom@mozilla@@SA?AU?$already_AddRefed@VnsISupports@@@@PAVElement@23@ABUnsID@@@Z
+?SetEventHandler@Element@dom@mozilla@@QAEXPAVnsAtom@@ABV?$nsTSubstring@_S@@_N@Z
+?GetOrCreateListenerManager@nsINode@@UAEPAVEventListenerManager@mozilla@@XZ
+?GetListenerManagerForNode@nsContentUtils@@SAPAVEventListenerManager@mozilla@@PAVnsINode@@@Z
+?SetEventHandler@EventListenerManager@mozilla@@QAE?AW4nsresult@@PAVnsAtom@@ABV?$nsTSubstring@_S@@_N2PAVElement@dom@2@@Z
+?IsCurrentInnerWindow@nsPIDOMWindowInner@@QBE_NXZ
+?InitializeXULBroadcastManager@Document@dom@mozilla@@QAEXXZ
+??0XULBroadcastManager@dom@mozilla@@QAE@PAVDocument@12@@Z
+?MaybeBroadcast@XULBroadcastManager@dom@mozilla@@QAEXXZ
+?GetElementById@DocumentOrShadowRoot@dom@mozilla@@QAEPAVElement@23@ABV?$nsTSubstring@_S@@@Z
+?CheckSameOrigin@nsContentUtils@@SA?AW4nsresult@@PBVnsINode@@0@Z
+??1XULBroadcastManager@dom@mozilla@@AAE@XZ
+?HasMutationListeners@nsContentUtils@@SA_NPAVnsINode@@I0@Z
+?SetToSerialized@nsAttrValue@@QAEXABV1@@Z
+?NotifyAttributeSetToCurrentValue@MutationObservers@dom@mozilla@@SAXPAVElement@23@HPAVnsAtom@@@Z
+?OnAttrSetButNotChanged@Element@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@ABVnsAttrValueOrString@@_N@Z
+??1nsXULPrototypeElement@@EAE@XZ
+?s_MatchEntry@?$nsTHashtable@VIdentifierMapEntry@mozilla@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?QueryInterface@nsStyledElement@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Next@ShadowIncludingTreeIterator@dom@mozilla@@AAEXXZ
+?Call@LifecycleConnectedCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?GetAttribute@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVDOMString@23@@Z
+?GetAttr@AttrArray@@QBEPBVnsAttrValue@@ABV?$nsTSubstring@_S@@W4nsCaseTreatment@@@Z
+?Assign@?$nsTSubstring@_S@@QAIX_S@Z
+?GetSafeAttrNameAt@AttrArray@@QBEPBVnsAttrName@@I@Z
+?AttachKeyHandler@XULKeySetGlobalKeyListener@mozilla@@SAXPAVElement@dom@2@@Z
+?GetProperty@nsINode@@QBEPAXPBVnsAtom@@PAW4nsresult@@@Z
+?SetProperty@nsINode@@QAE?AW4nsresult@@PAVnsAtom@@PAXP6AX1011@Z_N@Z
+?SetPropertyInternal@nsPropertyTable@@AAE?AW4nsresult@@VnsPropertyOwner@@PAVnsAtom@@PAXP6AX2122@Z2_N@Z
+?GetConstructorObject@XULTreeElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetConstructorObject@XULPopupElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?AttributeChanged@XULPersist@dom@mozilla@@UAEXPAVElement@23@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?Wrap@XULPopupElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXULPopupElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+??_GJSWindowActorChild@dom@mozilla@@EAEPAXI@Z
+?AttachShadow@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VShadowRoot@dom@mozilla@@@@ABUShadowRootInit@23@AAVErrorResult@3@@Z
+?CanAttachShadowDOM@Element@dom@mozilla@@QBE_NXZ
+?AttachShadowWithoutNameChecks@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VShadowRoot@dom@mozilla@@@@W4ShadowRootMode@23@@Z
+??0ShadowRoot@dom@mozilla@@QAE@PAVElement@12@W4ShadowRootMode@12@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0DocumentOrShadowRoot@dom@mozilla@@QAE@PAVShadowRoot@12@@Z
+?Bind@ShadowRoot@dom@mozilla@@QAE?AW4nsresult@@XZ
+?Wrap@ShadowRoot_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVShadowRoot@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ShadowRoot_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@DocumentFragment_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetCommandDispatcher@Document@dom@mozilla@@QAEPAVnsIDOMXULCommandDispatcher@@XZ
+??0nsXULCommandDispatcher@@QAE@PAVDocument@dom@mozilla@@@Z
+?AddRef@TextInputListener@mozilla@@UAGKXZ
+?Release@TransactionManager@mozilla@@UAGKXZ
+?MaybeSlotHostChild@ShadowRoot@dom@mozilla@@QAEXAAVnsIContent@@@Z
+?RemoveFromIdTable@ShadowRoot@dom@mozilla@@QAEXPAVElement@23@PAVnsAtom@@@Z
+?ParseSelectorList@nsINode@@IAEPBURawServoSelectorList@@ABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+??0?$ExpirationTrackerImpl@VSelectorCacheKey@Document@dom@mozilla@@$03VPlaceholderLock@detail@@VPlaceholderAutoLock@6@@@QAE@IPBDPAVnsIEventTarget@@@Z
+Servo_SelectorList_Parse
+Servo_SelectorList_Matches
+?DoOptimizeSpreadCallFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICOptimizeSpreadCall_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@@Z
+??0OptimizeSpreadCallIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@VValue@JS@@@5@@Z
+?emitGuardArrayIsPacked@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?GetConstructorObject@XULMenuElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?Wrap@XULMenuElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXULMenuElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?NotifyAttributeWillChange@MutationObservers@dom@mozilla@@SAXPAVElement@23@HPAVnsAtom@@H@Z
+?AttributeWillChange@PresShell@mozilla@@UAEXPAVElement@dom@2@HPAVnsAtom@@H@Z
+?OpenMenu@nsXULElement@@QAEX_N@Z
+?NotifyAttributeChanged@MutationObservers@dom@mozilla@@SAXPAVElement@23@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?AttributeChanged@PresShell@mozilla@@UAEXPAVElement@dom@2@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?SetConstraintRect@XULPopupElement@dom@mozilla@@QAEXAAVDOMRectReadOnly@23@@Z
+?ReplaceOrInsertBefore@nsINode@@IAEPAV1@_NPAV1@1AAVErrorResult@mozilla@@@Z
+?ReplaceChildren@nsINode@@QAEXABV?$Sequence@VOwningNodeOrString@dom@mozilla@@@dom@mozilla@@AAVErrorResult@4@@Z
+?NotifyContentAppended@MutationObservers@dom@mozilla@@SAXPAVnsIContent@@0@Z
+?Upgrade@CustomElementRegistry@dom@mozilla@@SAXPAVElement@23@PAUCustomElementDefinition@23@AAVErrorResult@3@@Z
+?AddStates@Element@dom@mozilla@@MAEXVEventStates@3@@Z
+?NS_NewHTMLTemplateElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?GetTemplateContentsOwner@Document@dom@mozilla@@QAEPAV123@XZ
+?NS_NewDOMDocument@@YA?AW4nsresult@@PAPAVDocument@dom@mozilla@@ABV?$nsTSubstring@_S@@1PAVDocumentType@34@PAVnsIURI@@3PAVnsIPrincipal@@_NPAVnsIGlobalObject@@W4DocumentFlavor@@@Z
+?CreateDocumentFragment@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VDocumentFragment@dom@mozilla@@@@XZ
+?InternalAllowXULXBL@Document@dom@mozilla@@IAE_NXZ
+?ParseAttribute@HTMLDivElement@dom@mozilla@@UAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?IsAttributeMapped@HTMLDivElement@dom@mozilla@@UBG_NPBVnsAtom@@@Z
+?NS_NewHTMLImageElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?GetImgLoaderForChannel@nsContentUtils@@SAPAVimgLoader@@PAVnsIChannel@@PAVDocument@dom@mozilla@@@Z
+??0imgLoader@@QAE@XZ
+?InitCache@imgLoader@@QAE?AW4nsresult@@XZ
+?Decode@HTMLImageElement@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVErrorResult@3@@Z
+?SetFullscreenAllowedByOwner@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@_N@Z
+?PictureSourceSizesChanged@HTMLImageElement@dom@mozilla@@IAEXPAVnsIContent@@ABV?$nsTSubstring@_S@@_N@Z
+?ImageState@nsImageLoadingContent@@IBE?AVEventStates@mozilla@@XZ
+?BindToTree@nsImageLoadingContent@@IAEXAAUBindContext@dom@mozilla@@AAVnsINode@@@Z
+?FindAncestorForm@nsGenericHTMLElement@@QAEPAVHTMLFormElement@dom@mozilla@@PAV234@@Z
+?NS_NewHTMLInputElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Create@InputType@dom@mozilla@@SA?AV?$UniquePtr@VInputType@dom@mozilla@@UDoNotDelete@123@@3@PAVHTMLInputElement@23@EPAX@Z
+?BeforeSetAttr@HTMLInputElement@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValueOrString@@_N@Z
+?BeforeSetAttr@nsGenericHTMLFormElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValueOrString@@_N@Z
+?ParseAttribute@HTMLInputElement@dom@mozilla@@UAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?GetDisplayFileName@HTMLInputElement@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?AfterSetAttr@nsGenericHTMLFormElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?Reset@HTMLInputElement@dom@mozilla@@UAG?AW4nsresult@@XZ
+?IntrinsicState@nsGenericHTMLFormElement@@UBE?AVEventStates@mozilla@@XZ
+?IsEventAttributeNameInternal@nsGenericHTMLElement@@UAE_NPAVnsAtom@@@Z
+?IsEventAttributeName@nsContentUtils@@SA_NPAVnsAtom@@H@Z
+?GetEventNameForAttr@Element@dom@mozilla@@KAPAVnsAtom@@PAV4@@Z
+?PreHandleEvent@HTMLInputElement@dom@mozilla@@UAE?AW4nsresult@@AAVEventChainVisitor@3@@Z
+?BindToTree@nsGenericHTMLFormElement@@UAE?AW4nsresult@@AAUBindContext@dom@mozilla@@AAVnsINode@@@Z
+?UpdateState@Element@dom@mozilla@@QAEX_N@Z
+?GenerateStateKey@nsGenericHTMLFormElementWithState@@IAEXXZ
+?RestoreFormControlState@nsGenericHTMLFormElementWithState@@IAE_NXZ
+?GetValue@TextControlState@mozilla@@QBEXAAV?$nsTSubstring@_S@@_N@Z
+?SanitizeValue@HTMLInputElement@dom@mozilla@@IAEXAAV?$nsTSubstring@_S@@W4ForValueGetter@123@@Z
+?StripCRLF@?$nsTSubstring@_S@@QAEXXZ
+?SetValue@TextControlState@mozilla@@QAE_NABV?$nsTSubstring@_S@@PBV3@I@Z
+?GetFiles@HTMLInputElement@dom@mozilla@@QAEPAVFileList@23@XZ
+?HasPatternMismatch@SingleLineTextInputTypeBase@dom@mozilla@@UBE?AV?$Maybe@_N@3@XZ
+??_GInternalClipboardEvent@mozilla@@UAEPAXI@Z
+?NS_NewHTMLElement@@YA?AW4nsresult@@PAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@34@PAVnsAtom@@PAUCustomElementDefinition@34@@Z
+?ParseStyleAttribute@nsStyledElement@@IAEXABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@_N@Z
+?CSPAllowsInlineStyle@nsStyleUtil@@SA_NPAVElement@dom@mozilla@@PAVDocument@34@PAVnsIPrincipal@@IIABV?$nsTSubstring@_S@@PAW4nsresult@@@Z
+?SetTo@nsAttrValue@@QAEXABV?$nsTSubstring@_S@@@Z
+?ReparseStyleAttribute@nsStyledElement@@IAE?AW4nsresult@@_N@Z
+??0nsAttrValue@@QAE@XZ
+?ClearAndRetainStorage@?$nsTArray_Impl@V?$RefPtr@VXRInputSource@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?BoolAttrIsTrue@nsXULElement@@IBE_NPAVnsAtom@@@Z
+?AttrInfoAt@AttrArray@@QBE?AUBorrowedAttrInfo@dom@mozilla@@I@Z
+?InternalGetAttrNameFromQName@Element@dom@mozilla@@IBEPBVnsAttrName@@ABV?$nsTSubstring@_S@@PAV?$nsTAutoStringN@_S$0EA@@@@Z
+?GetExistingAttrNameFromQName@AttrArray@@QBEPBVnsAttrName@@ABV?$nsTSubstring@_S@@@Z
+?SetAttribute@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@0PAVnsIPrincipal@@AAVErrorResult@3@@Z
+??0nsXULTooltipListener@@IAE@XZ
+?AddTooltipSupport@nsXULTooltipListener@@QAEXPAVnsIContent@@@Z
+?AddSystemEventListener@EventTarget@dom@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIDOMEventListener@@_NABU?$Nullable@_N@23@@Z
+?GetConstructorObject@XULTextElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?Wrap@XULTextElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXULTextElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?NS_NewHTMLVideoElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0HTMLMediaElement@dom@mozilla@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?AbstractMainThreadFor@Document@dom@mozilla@@UAEPAVAbstractThread@3@W4TaskCategory@3@@Z
+??0TimeRanges@dom@mozilla@@QAE@PAVnsISupports@@@Z
+??0VideoInfo@mozilla@@QAE@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@1@@Z
+??0AudioInfo@mozilla@@QAE@XZ
+??1CrossGraphPort@mozilla@@QAE@XZ
+??0AudioChannelAgent@dom@mozilla@@QAE@XZ
+?AudibleStateToStr@dom@mozilla@@YAPBDABW4AudibleState@AudioChannelService@12@@Z
+?Release@AudioChannelService@dom@mozilla@@UAGKXZ
+?Init@AudioChannelAgent@dom@mozilla@@UAG?AW4nsresult@@PAVmozIDOMWindow@@PAVnsIAudioChannelAgentCallback@@@Z
+?InitInternal@AudioChannelAgent@dom@mozilla@@AAE?AW4nsresult@@PAVnsPIDOMWindowInner@@PAVnsIAudioChannelAgentCallback@@_N@Z
+?LoadImage@ImageLoader@css@mozilla@@SA?AU?$already_AddRefed@VimgRequestProxy@@@@ABUStyleComputedUrl@3@AAVDocument@dom@3@@Z
+?Log@DecoderDoctorLogger@mozilla@@CAXPBDPBXW4DDLogCategory@2@0$$QAV?$Variant@UDDNoValue@mozilla@@VDDLogObject@2@PBD$$CBV?$nsTString@D@@_NCEFGHI_J_KNUDDRange@2@W4nsresult@@VMediaResult@2@@2@@Z
+?Init@HTMLMediaElement@dom@mozilla@@QAEXXZ
+??0MediaTrackList@dom@mozilla@@QAE@PAVnsIGlobalObject@@PAVHTMLMediaElement@12@@Z
+?SetVolume@HTMLMediaElement@dom@mozilla@@QAEXNAAVErrorResult@3@@Z
+?RegisterActivityObserver@Document@dom@mozilla@@QAEXPAVnsISupports@@@Z
+?NotifyOwnerDocumentActivityChanged@HTMLMediaElement@dom@mozilla@@QAEXXZ
+?GetBrowsingContext@Document@dom@mozilla@@QBEPAVBrowsingContext@23@XZ
+?FireTimeUpdate@HTMLMediaElement@dom@mozilla@@UAEX_N@Z
+?ShouldCheckAllowOrigin@HTMLMediaElement@dom@mozilla@@QAE_NXZ
+?InitStatics@MediaShutdownManager@mozilla@@SAXXZ
+?GetShutdownBarrier@media@mozilla@@YA?AV?$nsCOMPtr@VnsIAsyncShutdownClient@@@@XZ
+?CachedMediaReadAt@MediaResourceIndex@mozilla@@QBE?AU?$already_AddRefed@VMediaByteBuffer@mozilla@@@@_JI@Z
+?Register@MediaShutdownManager@mozilla@@QAE?AW4nsresult@@PAVMediaDecoder@2@@Z
+?SetDocTreeHadMedia@Document@dom@mozilla@@QAEXXZ
+?GetVideoSize@HTMLVideoElement@dom@mozilla@@QBE?AV?$Maybe@U?$IntSizeTyped@UCSSPixel@mozilla@@@gfx@mozilla@@@3@XZ
+?ParseAttribute@HTMLMediaElement@dom@mozilla@@UAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?FindAttributeDependence@Element@dom@mozilla@@CA_NPBVnsAtom@@QBQBUMappedAttributeEntry@123@I@Z
+?AfterSetAttr@HTMLMediaElement@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?BindToTree@HTMLMediaElement@dom@mozilla@@UAE?AW4nsresult@@AAUBindContext@23@AAVnsINode@@@Z
+?AttachAndSetUAShadowRoot@Element@dom@mozilla@@QAEXW4NotifyUAWidgetSetup@123@@Z
+?SetPlaybackRate@HTMLMediaElement@dom@mozilla@@QAEXNAAVErrorResult@3@@Z
+?IsAllowedToPlay@AutoplayPolicy@dom@mozilla@@SA_NABVHTMLMediaElement@23@@Z
+?GetIfExists@MediaManager@mozilla@@SAPAV12@XZ
+?IsExactSitePermAllow@nsContentUtils@@SA_NPAVnsIPrincipal@@ABV?$nsTSubstring@D@@@Z
+?GetTopWindowContext@BrowsingContext@dom@mozilla@@QAEPAVWindowContext@23@XZ
+?OnCellularConnection@mozilla@@YA_NXZ
+??$InsertElementAtInternal@UnsTArrayInfallibleAllocator@@PAVStyleSheet@mozilla@@@?$nsTArray_Impl@V?$RefPtr@VStyleSheet@mozilla@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$RefPtr@VStyleSheet@mozilla@@@@I$$QAPAVStyleSheet@mozilla@@@Z
+?QueryInterface@HTMLMediaElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DoneCreatingElement@HTMLMediaElement@dom@mozilla@@UAEXXZ
+?CreateInterfaceObjects@HTMLInputElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_input_dirpicker@StaticPrefs@mozilla@@YA_NXZ
+?dom_capture_enabled@StaticPrefs@mozilla@@YA_NXZ
+?dom_webkitBlink_filesystem_enabled@StaticPrefs@mozilla@@YA_NXZ
+??1?$nsTArray_Impl@VOwningFileOrDirectory@dom@mozilla@@UnsTArrayFallibleAllocator@@@@QAE@XZ
+?GetConstructorObject@HTMLInputElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?WrapNode@HTMLInputElement@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@HTMLInputElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLInputElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?QueryInterface@HTMLInputElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GenerateStateKey@nsContentUtils@@SAXPAVnsIContent@@PAVDocument@dom@mozilla@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@TextControlElement@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetFormsAndFormControls@nsHTMLDocument@@QAEXPAPAVnsContentList@@0@Z
+??0nsContentList@@QAE@PAVnsINode@@HPAVnsAtom@@1_N2@Z
+??0nsContentList@@QAE@PAVnsINode@@P6A_NPAVElement@dom@mozilla@@HPAVnsAtom@@PAX@ZP6AX3@Z3_N2H66@Z
+?Dispatch@Document@dom@mozilla@@UAE?AW4nsresult@@W4TaskCategory@3@$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+?Release@nsContentList@@UAGKXZ
+?IndexOf@nsContentList@@UAEHPAVnsIContent@@_N@Z
+?NodeWillBeDestroyed@nsContentList@@UAEXPBVnsINode@@@Z
+?MatchFormControls@nsHTMLDocument@@SA_NPAVElement@dom@mozilla@@HPAVnsAtom@@PAX@Z
+?IsNodeOfType@nsGenericHTMLFormElement@@UBE_NI@Z
+?GetLayoutHistoryState@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsILayoutHistoryState@@@@XZ
+?CreateElement@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@ABV?$nsTSubstring@_S@@ABVElementCreationOptionsOrString@23@AAVErrorResult@3@@Z
+?Wrap@HTMLLinkElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLLinkElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLLinkElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetConstructorObject@HTMLTableCellElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetConstructorObject@Directory_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?CreateXULElement@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@ABV?$nsTSubstring@_S@@ABVElementCreationOptionsOrString@23@AAVErrorResult@3@@Z
+?NS_NewXULElement@@YA?AW4nsresult@@PAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@34@PAVnsAtom@@PAUCustomElementDefinition@34@@Z
+?Part@Element@dom@mozilla@@QAEPAVnsDOMTokenList@@XZ
+??0nsDOMTokenList@@QAE@PAVElement@dom@mozilla@@PAVnsAtom@@QBQBD@Z
+?Supports@nsDOMTokenList@@QAE_NABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?Wrap@DOMTokenList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsDOMTokenList@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@DOMTokenList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?set@DOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$Handle@VValue@JS@@@6@3AAVObjectOpResult@6@@Z
+?setCustom@DOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$Handle@VValue@JS@@@6@PA_N@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@UCategoryDispatchDictionary@dom@mozilla@@@?$nsTArray_Impl@UCategoryDispatchDictionary@dom@mozilla@@UnsTArrayFallibleAllocator@@@@AAEPAUCategoryDispatchDictionary@dom@mozilla@@PBU123@I@Z
+?GetDocGroup@nsDOMAttributeMap@@QBEPAVDocGroup@dom@mozilla@@XZ
+?SetValue@nsDOMTokenList@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?TrySetToNode@OwningNodeOrString@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AA_N_N@Z
+?Append@nsINode@@QAEXABV?$Sequence@VOwningNodeOrString@dom@mozilla@@@dom@mozilla@@AAVErrorResult@4@@Z
+?Before@nsINode@@QAEXABV?$Sequence@VOwningNodeOrString@dom@mozilla@@@dom@mozilla@@AAVErrorResult@4@@Z
+?FireNodeRemovedForChildren@FragmentOrElement@dom@mozilla@@QAEXXZ
+?HasMutationListeners@nsContentUtils@@SA_NPAVDocument@dom@mozilla@@I@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAPAVnsIContent@@@?$nsTArray_Impl@V?$nsCOMPtr@VnsIContent@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsCOMPtr@VnsIContent@@@@AAPAVnsIContent@@@Z
+?RemoveChildNode@nsINode@@UAEXPAVnsIContent@@_N@Z
+?NotifyContentRemoved@MutationObservers@dom@mozilla@@SAXPAVnsINode@@PAVnsIContent@@1@Z
+?UnbindFromTree@Element@dom@mozilla@@UAEX_N@Z
+?GetBaseURI@nsIContent@@UBEPAVnsIURI@@_N@Z
+?GetInstance@nsOfflineCacheUpdateService@@SA?AU?$already_AddRefed@VnsOfflineCacheUpdateService@@@@XZ
+?UnbindFromTree@nsGenericHTMLElement@@UAEX_N@Z
+?ResetDir@mozilla@@YAXPAVElement@dom@1@@Z
+??1nsAutoMutationBatch@@QAE@XZ
+?AddRef@ShadowRoot@dom@mozilla@@UAGKXZ
+?PartAdded@ShadowRoot@dom@mozilla@@QAEXABVElement@23@@Z
+?DoGetContainingSVGUseShadowHost@nsINode@@ABEPAVSVGUseElement@dom@mozilla@@XZ
+?LastRelease@nsINode@@QAEXXZ
+?Uninit@OwningNodeOrString@dom@mozilla@@QAEXXZ
+?IsValueMissing@SingleLineTextInputTypeBase@dom@mozilla@@UBE_NXZ
+?GetTitleAndMediaForElement@LinkStyle@dom@mozilla@@KAXABVElement@23@AAV?$nsTString@_S@@1@Z
+?ASCIIToLower@nsContentUtils@@SAXAAV?$nsTSubstring@_S@@@Z
+??0ReferrerInfo@dom@mozilla@@QAE@ABVElement@12@@Z
+?GetReferrerPolicyAsEnum@Element@dom@mozilla@@QBE?AW4ReferrerPolicy@23@XZ
+?AttrValueToCORSMode@Element@dom@mozilla@@SA?AW4CORSMode@3@PBVnsAttrValue@@@Z
+?NS_NewHTMLLegendElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?AsLinkStyle@HTMLLinkElement@dom@mozilla@@MBEPBVLinkStyle@23@XZ
+?GetScriptCharset@HTMLScriptElement@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@@Z
+?ParseEnumValue@nsAttrValue@@QAE_NABV?$nsTSubstring@_S@@PBUEnumTable@1@_N1@Z
+?DeleteOrCacheForReuse@TextControlState@mozilla@@AAEXXZ
+?SetValueInternal@HTMLInputElement@dom@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PBV5@I@Z
+?ComputeIndexOf@nsINode@@UBEHPBV1@@Z
+?KeyEquals@SheetLoadDataHashKey@mozilla@@QBE_NABV12@@Z
+?CalcColor@?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@QBEII@Z
+?KeyEquals@PreloadHashKey@mozilla@@QBE_NPBV12@@Z
+?NotifyUsage@PreloaderBase@mozilla@@QAEXW4LoadBackground@12@@Z
+?NS_NewHTMLProgressElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?ParseDoubleValue@nsAttrValue@@QAE_NABV?$nsTSubstring@_S@@@Z
+?ToDouble@?$nsTString@_S@@QBENPAW4nsresult@@@Z
+?NS_NewHTMLSharedListElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?ClassList@Element@dom@mozilla@@QAEPAVnsDOMTokenList@@XZ
+?Add@nsDOMTokenList@@QAEXABV?$nsTArray@V?$nsTString@_S@@@@AAVErrorResult@mozilla@@@Z
+?Contains@nsDOMTokenList@@QAE_NABV?$nsTSubstring@_S@@@Z
+?GetAtomCount@nsAttrValue@@QBEIXZ
+?AtomAt@nsAttrValue@@QBEPAVnsAtom@@H@Z
+?Contains@nsAttrValue@@QBE_NABV?$nsTSubstring@_S@@@Z
+?GetExistingListenerManager@nsINode@@UBEPAVEventListenerManager@mozilla@@XZ
+?NS_NewHTMLLIElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewHTMLTextAreaElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0nsGenericHTMLFormElementWithState@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@E@Z
+??0nsIConstraintValidation@@IAE@XZ
+?SetRangeText@HTMLTextAreaElement@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@IIW4SelectionMode@23@AAVErrorResult@3@@Z
+?SetUserInput@HTMLTextAreaElement@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVnsIPrincipal@@@Z
+?SetValidityState@nsIConstraintValidation@@QAEXW4ValidityStateType@1@_N@Z
+?SetBarredFromConstraintValidation@nsIConstraintValidation@@IAEX_N@Z
+?OnL10nResourceContainerParsed@Document@dom@mozilla@@QAEXXZ
+?ConstructorEnabled@AddonInstall_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@ChromeNodeList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@NodeList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VOwningNodeOrString@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVOwningNodeOrString@dom@mozilla@@I@Z
+?Constructor@ChromeNodeList@dom@mozilla@@SA?AU?$already_AddRefed@VChromeNodeList@dom@mozilla@@@@ABVGlobalObject@23@@Z
+?WrapObject@ChromeNodeList@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ChromeNodeList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChromeNodeList@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+Servo_DeclarationBlock_Clone
+_ZN11encoding_rs3mem13is_utf16_bidi17h4a8c1aa76137fd28E
+?GetRootElement@Document@dom@mozilla@@QBEPAVElement@23@XZ
+?GetBody@Document@dom@mozilla@@QAEPAVnsGenericHTMLElement@@XZ
+?GetShadowRootByMode@Element@dom@mozilla@@QBEPAVShadowRoot@23@XZ
+?ParseFromSafeString@DOMParser@dom@mozilla@@QAE?AU?$already_AddRefed@VDocument@dom@mozilla@@@@ABV?$nsTSubstring@_S@@W4SupportedType@23@AAVErrorResult@3@@Z
+?Create@SystemPrincipal@mozilla@@SA?AU?$already_AddRefed@VSystemPrincipal@mozilla@@@@XZ
+?ParseFromString@DOMParser@dom@mozilla@@QAE?AU?$already_AddRefed@VDocument@dom@mozilla@@@@ABV?$nsTSubstring@_S@@W4SupportedType@23@AAVErrorResult@3@@Z
+?ParseFromStream@DOMParser@dom@mozilla@@QAE?AU?$already_AddRefed@VDocument@dom@mozilla@@@@PAVnsIInputStream@@ABV?$nsTSubstring@_S@@HW4SupportedType@23@AAVErrorResult@3@@Z
+?Init@XMLDocument@dom@mozilla@@UAE?AW4nsresult@@XZ
+?SchemeIs@NullPrincipalURI@mozilla@@UAG?AW4nsresult@@PBDPA_N@Z
+?StartDocumentLoad@XMLDocument@dom@mozilla@@UAE?AW4nsresult@@PBDPAVnsIChannel@@PAVnsILoadGroup@@PAVnsISupports@@PAPAVnsIStreamListener@@_NPAVnsIContentSink@@@Z
+?GetContentDisposition@nsJARChannel@@UAG?AW4nsresult@@PAI@Z
+?GetIsFromUserInput@xpcAccAnnouncementEvent@@UAG?AW4nsresult@@PA_N@Z
+??0nsParser@@QAE@XZ
+?QueryInterface@nsParser@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NS_NewXMLContentSink@@YA?AW4nsresult@@PAPAVnsIXMLContentSink@@PAVDocument@dom@mozilla@@PAVnsIURI@@PAVnsISupports@@PAVnsIChannel@@@Z
+??0nsContentSink@@IAE@XZ
+?AddRef@nsContentSink@@UAGKXZ
+?Init@nsContentSink@@IAE?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsIURI@@PAVnsISupports@@PAVnsIChannel@@@Z
+?AddObserver@Document@dom@mozilla@@QAEXPAVnsIDocumentObserver@@@Z
+?Release@TextEditor@mozilla@@W3AGKXZ
+?AddRef@HTMLContentSink@@W3AGKXZ
+?Release@nsContentSink@@UAGKXZ
+?QueryInterface@nsContentSink@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+encoding_new_decoder_with_bom_removal
+?IncrementAnimationConsumers@ImageResource@image@mozilla@@UAEXXZ
+?IsScriptExecuting@HTMLContentSink@@UAE_NXZ
+?WillParse@HTMLContentSink@@UAG?AW4nsresult@@XZ
+?WillParseImpl@nsContentSink@@QAE?AW4nsresult@@XZ
+?IsContainer@nsHTMLElement@@SA_NW4nsHTMLTag@@@Z
+MOZ_XML_GetErrorCode
+MOZ_XmlInitEncoding
+MOZ_XML_SetReturnNSTriplet
+MOZ_XML_SetBase
+?GetTarget@nsXMLContentSink@@UAEPAVnsISupports@@XZ
+?GetScriptHandlingObjectInternal@Document@dom@mozilla@@IBEPAVnsIScriptGlobalObject@@XZ
+MOZ_XML_SetExternalEntityRefHandlerArg
+MOZ_XML_SetUserData
+?operandTruncateKind@MBinaryBitwiseInstruction@jit@js@@UBE?AW4TruncateKind@MDefinition@23@I@Z
+?WillBuildModelImpl@nsContentSink@@QAEXXZ
+?WillResume@HTMLContentSink@@UAG?AW4nsresult@@XZ
+?OnSocketThread@net@mozilla@@YA_NXZ
+MOZ_XML_GetCurrentByteIndex
+MOZ_XML_Parse
+MOZ_XML_SetXmlDeclHandler
+MOZ_XmlInitEncodingNS
+?IsTimeToNotify@nsContentSink@@QAE_NXZ
+?DidProcessATokenImpl@nsContentSink@@QAE?AW4nsresult@@XZ
+?DeleteCycleCollectable@nsPrinterBase@@UAGXXZ
+MOZ_XML_GetCurrentColumnNumber
+MOZ_XML_GetCurrentLineNumber
+?HandleStartElement@nsXMLContentSink@@UAG?AW4nsresult@@PB_SPAPB_SIII@Z
+?HandleStartElement@nsXMLContentSink@@IAE?AW4nsresult@@PB_SPAPB_SIII_N@Z
+?SplitExpatName@nsContentUtils@@SAXPB_SPAPAVnsAtom@@1PAH@Z
+?BeginUpdate@Document@dom@mozilla@@QAEXXZ
+?BeginUpdate@nsContentSink@@UAEXPAVDocument@dom@mozilla@@@Z
+?EndUpdate@nsContentSink@@UAEXPAVDocument@dom@mozilla@@@Z
+?CSP_ApplyMetaCSPToDoc@@YAXAAVDocument@dom@mozilla@@ABV?$nsTSubstring@_S@@@Z
+?NotifyContentInserted@MutationObservers@dom@mozilla@@SAXPAVnsINode@@PAVnsIContent@@@Z
+?WrapNode@XMLDocument@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@XMLDocument_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXMLDocument@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@XMLDocument_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsParserEnabled@nsParser@@UAG_NXZ
+?StartLayout@nsContentSink@@QAEX_N@Z
+?NotifyAppend@nsContentSink@@QAEXPAVnsIContent@@I@Z
+?GetChildAt_Deprecated@nsINode@@QBEPAVnsIContent@@I@Z
+?BeginUpdate@nsStubDocumentObserver@@UAEXPAVDocument@dom@mozilla@@@Z
+?GetAppWindowIfToplevelChrome@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsIAppWindow@@@@XZ
+?SetScrollToRef@Document@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?HandleEndElement@nsXMLContentSink@@UAG?AW4nsresult@@PB_S@Z
+?HandleEndElement@nsXMLContentSink@@IAE?AW4nsresult@@PB_S_N@Z
+?NS_NewHTMLSlotElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?OnParsingCompleted@Document@dom@mozilla@@QAEXXZ
+?WillInterrupt@nsXMLContentSink@@UAG?AW4nsresult@@XZ
+?WillInterruptImpl@nsContentSink@@QAE?AW4nsresult@@XZ
+?DidBuildModelImpl@nsContentSink@@QAEX_N@Z
+?Init@XULPersist@dom@mozilla@@QAEXXZ
+?GetIDs@XULStore@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@_S@@AAV?$UniquePtr@VXULStoreIterator@mozilla@@V?$DefaultDelete@VXULStoreIterator@mozilla@@@2@@2@@Z
+xulstore_get_ids
+xulstore_iter_has_more
+xulstore_iter_free
+?Init@ChromeObserver@dom@mozilla@@QAEXXZ
+?AttributeChanged@ChromeObserver@dom@mozilla@@UAEXPAVElement@23@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?ParsingComplete@ScriptLoader@dom@mozilla@@QAEX_N@Z
+?ProcessPendingRequests@ScriptLoader@dom@mozilla@@QAEXXZ
+?UnblockOnload@Document@dom@mozilla@@QAEX_N@Z
+?ScrollToRef@nsContentSink@@IAEXXZ
+?ScrollToRef@Document@dom@mozilla@@QAEXXZ
+?RemoveObserver@Document@dom@mozilla@@QAE_NPAVnsIDocumentObserver@@@Z
+?EndLoad@XMLDocument@dom@mozilla@@UAEXXZ
+?EndLoad@Document@dom@mozilla@@UAEXXZ
+?GetContentSink@nsParser@@UAGPAVnsIContentSink@@XZ
+?UnblockDOMContentLoaded@Document@dom@mozilla@@QAEXXZ
+?MozSetImageElement@Document@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVElement@23@@Z
+?GetDocumentReadyForIdle@Document@dom@mozilla@@QAEPAVPromise@23@AAVErrorResult@3@@Z
+??$CallFunctionPointer@P6AXPAVnsISupports@@@Z@?$FunctionRef@$$A6AXPAVnsISupports@@@Z@mozilla@@CAXABTPayload@01@PAVnsISupports@@@Z
+?HasConsumer@TimelineConsumers@mozilla@@QAE_NPAVnsIDocShell@@@Z
+?DropParserAndPerfHint@nsContentSink@@QAEXXZ
+?CreateInterfaceObjects@NodeFilter_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??0NodeIterator@dom@mozilla@@QAE@PAVnsINode@@IPAVNodeFilter@12@@Z
+??0nsTraversal@@QAE@PAVnsINode@@IPAVNodeFilter@dom@mozilla@@@Z
+?AddRef@NodeIterator@dom@mozilla@@UAGKXZ
+?Wrap@NodeIterator_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVNodeIterator@23@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?CreateInterfaceObjects@NodeIterator_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NextOrPrevNode@NodeIterator@dom@mozilla@@AAE?AU?$already_AddRefed@VnsINode@@@@P8NodePointer@123@AE_NPAVnsINode@@@ZAAVErrorResult@3@@Z
+?MoveToNext@NodePointer@NodeIterator@dom@mozilla@@QAE_NPAVnsINode@@@Z
+?TestNode@nsTraversal@@IAEFPAVnsINode@@AAVErrorResult@mozilla@@PAV?$nsCOMPtr@VnsINode@@@@@Z
+?WrapNode@nsTextNode@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Text_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVText@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Text_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CharacterData_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetTextContentInternal@CharacterData@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@AAVOOMReporter@3@@Z
+?GetNodeValueInternal@CharacterData@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@@Z
+?Remove@nsINode@@QAEXXZ
+?RemoveChild@nsINode@@QAEPAV1@AAV1@AAVErrorResult@mozilla@@@Z
+?MaybeFireNodeRemoved@nsContentUtils@@SAXPAVnsINode@@0@Z
+?CharacterDataWillChange@nsStubDocumentObserver@@UAEXPAVnsIContent@@ABUCharacterDataChangeInfo@@@Z
+?Detach@NodeIterator@dom@mozilla@@QAEXXZ
+?IsInclusiveDescendantOf@nsINode@@QBE_NPBV1@@Z
+?ResetDirectionSetByTextNode@mozilla@@YAXPAVnsTextNode@@@Z
+?UnbindFromTree@CharacterData@dom@mozilla@@UAEX_N@Z
+?CreateRange@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VnsRange@@@@AAVErrorResult@3@@Z
+??$Create@PAVnsINode@@PAVnsIContent@@PAV1@PAV2@@nsRange@@SA?AU?$already_AddRefed@VnsRange@@@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@mozilla@@0AAVErrorResult@3@@Z
+?Create@nsRange@@SA?AU?$already_AddRefed@VnsRange@@@@PAVnsINode@@@Z
+??0AbstractRange@dom@mozilla@@IAE@PAVnsINode@@@Z
+??$SetStartAndEndInternal@PAVnsINode@@PAVnsIContent@@PAV1@PAV2@VnsRange@@@AbstractRange@dom@mozilla@@KA?AW4nsresult@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@0PAVnsRange@@@Z
+?ComputeRootNode@RangeUtils@mozilla@@SAPAVnsINode@@PAV3@@Z
+??$DoSetRange@PAVnsINode@@PAVnsIContent@@PAV1@PAV2@@nsRange@@IAEXABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@mozilla@@0PAVnsINode@@_N@Z
+?WrapObject@nsRange@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Range_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsRange@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Range_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@AbstractRange_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AddRef@nsRange@@UAGKXZ
+?Release@nsRange@@UAGKXZ
+?QuerySelector@nsINode@@QAEPAVElement@dom@mozilla@@ABV?$nsTSubstring@_S@@AAVErrorResult@4@@Z
+Servo_SelectorList_QueryFirst
+?DestructRange@?$nsTArray_Impl@URTCRtpCodecParameters@dom@mozilla@@UnsTArrayFallibleAllocator@@@@IAEXII@Z
+?SelectNodeContents@nsRange@@QAEXAAVnsINode@@AAVErrorResult@mozilla@@@Z
+?CanCallerAccess@nsContentUtils@@SA_NPBVnsINode@@@Z
+?ExtractContents@nsRange@@QAE?AU?$already_AddRefed@VDocumentFragment@dom@mozilla@@@@AAVErrorResult@mozilla@@@Z
+?SelectNode@nsRange@@QAEXAAVnsINode@@AAVErrorResult@mozilla@@@Z
+?WillDispatchMutationEvent@Document@dom@mozilla@@IAEXPAVnsINode@@@Z
+?Init@ContentSubtreeIterator@mozilla@@UAE?AW4nsresult@@PAVnsRange@@@Z
+?GetClosestCommonInclusiveAncestor@AbstractRange@dom@mozilla@@QBEPAVnsINode@@XZ
+?IsNodeContainedInRange@RangeUtils@mozilla@@SA?AV?$Maybe@_N@2@AAVnsINode@@PAVAbstractRange@dom@2@@Z
+?CompareNodeToRange@RangeUtils@mozilla@@SA?AW4nsresult@@PAVnsINode@@PAVAbstractRange@dom@2@PA_N2@Z
+?ComparePoints@nsContentUtils@@SA?AV?$Maybe@H@mozilla@@PBVnsINode@@H0HPAUComparePointsCache@1@@Z
+?ComparePoints_Deprecated@nsContentUtils@@SAHPBVnsINode@@H0HPA_NPAUComparePointsCache@1@@Z
+?Init@ContentSubtreeIterator@mozilla@@UAE?AW4nsresult@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@0@Z
+?First@ContentSubtreeIterator@mozilla@@UAEXXZ
+?Next@ContentSubtreeIterator@mozilla@@UAEXXZ
+?GetCommonAncestorHelper@nsContentUtils@@CAPAVnsINode@@PAV2@0@Z
+?DeleteCycleCollectable@nsRange@@UAGXXZ
+?s_ClearEntry@?$nsTHashtable@VIdentifierMapEntry@mozilla@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?UnregisterUnresolvedElement@nsContentUtils@@SAXPAVElement@dom@mozilla@@@Z
+??1ContentIteratorBase@mozilla@@UAE@XZ
+?MutationEventDispatched@Document@dom@mozilla@@IAEXPAVnsINode@@@Z
+?QueryInterface@DocumentFragment@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ReplaceObjectAt@nsCOMArray_base@@IAEXPAVnsISupports@@H@Z
+??0AsyncEventDispatcher@mozilla@@QAE@PAVEventTarget@dom@1@AAVWidgetEvent@1@@Z
+?NS_NewDOMMutationEvent@@YA?AU?$already_AddRefed@VMutationEvent@dom@mozilla@@@@PAVEventTarget@dom@mozilla@@PAVnsPresContext@@PAVInternalMutationEvent@4@@Z
+?DuplicatePrivateData@Event@dom@mozilla@@UAEXXZ
+?Duplicate@InternalMutationEvent@mozilla@@UBEPAVWidgetEvent@2@XZ
+?AssignMutationEventData@InternalMutationEvent@mozilla@@QAEXABV12@_N@Z
+?AssignEventData@WidgetEvent@mozilla@@QAEXABV12@_N@Z
+?ParseAttribute@nsXULElement@@MAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?GetEventTargetParent@nsIContent@@UAEXAAVEventChainPreVisitor@mozilla@@@Z
+??1InternalMutationEvent@mozilla@@UAE@XZ
+?WrapNode@DocumentFragment@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@DocumentFragment_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDocumentFragment@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?ImportNode@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsINode@@@@AAVnsINode@@_NAAVErrorResult@3@@Z
+?CloneAndAdopt@nsINode@@CA?AU?$already_AddRefed@VnsINode@@@@PAV1@_N1PAVnsNodeInfoManager@@V?$Handle@PAVJSObject@@@JS@@0AAVErrorResult@mozilla@@@Z
+?Clone@DocumentFragment@dom@mozilla@@MBE?AW4nsresult@@PAVNodeInfo@23@PAPAVnsINode@@@Z
+?CopyInnerTo@nsGenericHTMLElement@@QAE?AW4nsresult@@PAVElement@dom@mozilla@@@Z
+?CopyInnerTo@Element@dom@mozilla@@IAE?AW4nsresult@@PAV123@W4ReparseAttributes@123@@Z
+?EnsureCapacityToClone@AttrArray@@QAE?AW4nsresult@@ABV1@@Z
+??0nsAttrValue@@QAE@ABV0@@Z
+?SetParsedAttr@Element@dom@mozilla@@QAE?AW4nsresult@@HPAVnsAtom@@0AAVnsAttrValue@@_N@Z
+?GetClientRects@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMRectList@dom@mozilla@@@@XZ
+?LookupCustomElementDefinition@nsContentUtils@@SAPAUCustomElementDefinition@dom@mozilla@@PAVDocument@34@PAVnsAtom@@I1@Z
+?EnqueueUpgradeReaction@nsContentUtils@@SAXPAVElement@dom@mozilla@@PAUCustomElementDefinition@34@@Z
+?EnqueueUpgradeReaction@CustomElementReactionsStack@dom@mozilla@@QAEXPAVElement@23@PAUCustomElementDefinition@23@@Z
+??0AutoSaveExceptionState@JS@@QAE@PAUJSContext@@@Z
+?PopAndInvokeElementQueue@CustomElementReactionsStack@dom@mozilla@@AAEXXZ
+??1AutoSaveExceptionState@JS@@QAE@XZ
+?CreateInterfaceObjects@PaymentRequestUpdateEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AddToIdTable@ShadowRoot@dom@mozilla@@QAEXPAVElement@23@PAVnsAtom@@@Z
+?AddIdElement@IdentifierMapEntry@mozilla@@QAEXPAVElement@dom@2@@Z
+?AddSlot@ShadowRoot@dom@mozilla@@QAEXPAVHTMLSlotElement@23@@Z
+??_GContentSubtreeIterator@mozilla@@UAEPAXI@Z
+??1?$nsTArray_Impl@V?$RecordEntry@V?$nsTString@_S@@VOwningStringOrBooleanOrObject@dom@mozilla@@@binding_detail@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetExistingDebuggerNotificationManager@nsGlobalWindowInner@@UAEPAVDebuggerNotificationManager@dom@mozilla@@XZ
+?GetAsAtom@nsAttrValue@@QBE?AU?$already_AddRefed@VnsAtom@@@@XZ
+?GetNameSpaceURI@nsNameSpaceManager@@UAE?AW4nsresult@@HAAV?$nsTSubstring@_S@@@Z
+?RemoveAttribute@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+Gecko_ShadowRoot_GetElementsWithId
+_ZN78_$LT$selectors..attr..CaseSensitivity$u20$as$u20$style..CaseSensitivityExt$GT$7eq_atom17h053045dec3aa10d7E
+?String@nsAttrValueOrString@@QBEABV?$nsTSubstring@_S@@XZ
+?AppendAssignedNode@HTMLSlotElement@dom@mozilla@@QAEXAAVnsIContent@@@Z
+?SetAssignedSlot@nsIContent@@QAEXPAVHTMLSlotElement@dom@mozilla@@@Z
+?EnqueueSlotChangeEvent@HTMLSlotElement@dom@mozilla@@QAEXXZ
+?SignalSlotChange@DocGroup@dom@mozilla@@QAEXAAVHTMLSlotElement@23@@Z
+?QueueMutationObserverMicroTask@nsDOMMutationObserver@@SAXXZ
+?SlotAssignedNodeChanged@mozilla@@YAXPAVHTMLSlotElement@dom@1@AAVnsIContent@@@Z
+?SlotStateChanged@mozilla@@YAXPAVHTMLSlotElement@dom@1@_N@Z
+?SetTextContentInternal@FragmentOrElement@dom@mozilla@@UAEXABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVErrorResult@3@@Z
+?SetNodeTextContent@nsContentUtils@@SA?AW4nsresult@@PAVnsIContent@@ABV?$nsTSubstring@_S@@_N@Z
+?CompareDocumentPosition@nsINode@@QBEGAAV1@PAH1@Z
+?ContentAppended@PresShell@mozilla@@UAEXPAVnsIContent@@@Z
+??_GnsSlots@nsINode@@UAEPAXI@Z
+?MoveSignalSlotList@DocGroup@dom@mozilla@@QAE?AV?$nsTArray@V?$RefPtr@VHTMLSlotElement@dom@mozilla@@@@@@XZ
+??1DocGroup@dom@mozilla@@AAE@XZ
+?FireSlotChangeEvent@HTMLSlotElement@dom@mozilla@@QAEXXZ
+?SetAndSwapMappedAttribute@nsMappedAttributeElement@@UAE_NPAVnsAtom@@AAVnsAttrValue@@PA_NPAW4nsresult@@@Z
+?SetAndSwapMappedAttr@AttrArray@@QAE?AW4nsresult@@PAVnsAtom@@AAVnsAttrValue@@PAVnsMappedAttributeElement@@PAVnsHTMLStyleSheet@@PA_N@Z
+?GetAttributeMappingFunction@nsGenericHTMLElement@@UBEP6AXPBVnsMappedAttributes@@AAVMappedDeclarations@mozilla@@@ZXZ
+?SetAndSwapAttr@nsMappedAttributes@@QAEXPAVnsAtom@@AAVnsAttrValue@@PA_N@Z
+?HashValue@nsAttrValue@@QBEIXZ
+?IndexOfAttr@nsMappedAttributes@@QBEHPBVnsAtom@@@Z
+?ToggleStates@Element@dom@mozilla@@MAEXVEventStates@3@_N@Z
+?IsMutable@SingleLineTextInputTypeBase@dom@mozilla@@MBE_NXZ
+?IsValueEmpty@HTMLInputElement@dom@mozilla@@QBE_NXZ
+?HasNonEmptyValue@TextControlState@mozilla@@QAE_NXZ
+?GetDefaultValueFromContent@HTMLInputElement@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@@Z
+?GetHead@Document@dom@mozilla@@QAEPAVHTMLSharedElement@23@XZ
+?Wrap@HTMLHeadElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSharedElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Wrap@HTMLAreaElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLAreaElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLHeadElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateObject@?$BindingJSObjectCreator@VHTMLSharedElement@dom@mozilla@@@dom@mozilla@@QAEXPAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@PAVHTMLSharedElement@23@V?$MutableHandle@PAVJSObject@@@7@@Z
+?QuerySelectorAll@nsINode@@QAE?AU?$already_AddRefed@VnsINodeList@@@@ABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+Servo_SelectorList_QueryAll
+Gecko_ContentList_AppendAll
+?WrapObject@nsAttrChildContentList@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@NodeList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsINodeList@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?cloneExpandoChain@XrayTraits@xpc@@QAE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?ThrowJSException@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?emitLoadDOMExpandoValue@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@@Z
+?emitGuardIsProxy@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?emitProxyGetByValueResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@@Z
+?ProxyGetPropertyByValue@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?AdoptNode@Document@dom@mozilla@@QAEPAVnsINode@@AAV4@AAVErrorResult@3@@Z
+?Adopt@nsINode@@QAEXPAVnsNodeInfoManager@@V?$Handle@PAVJSObject@@@JS@@AAVErrorResult@mozilla@@@Z
+?NodeInfoChanged@nsINode@@UAEXPAVDocument@dom@mozilla@@@Z
+?AssertInvariantsOnNodeInfoChange@nsINode@@AAEXXZ
+?UpdateReflectorGlobal@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVErrorResult@2@@Z
+??1?$nsTArray_Impl@V?$OwningNonNull@VFontFace@dom@mozilla@@@mozilla@@UnsTArrayFallibleAllocator@@@@QAE@XZ
+?UnregisterActivityObserver@Document@dom@mozilla@@QAE_NPAVnsISupports@@@Z
+?AttrNameAt@AttrArray@@QBEPBVnsAttrName@@I@Z
+?DestroyFramesForAndRestyle@PresShell@mozilla@@QAEXPAVElement@dom@2@@Z
+?ContentStateChanged@PresShell@mozilla@@UAEXPAVDocument@dom@2@PAVnsIContent@@VEventStates@2@@Z
+?NS_NewHTMLAnchorElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?SetText@HTMLAnchorElement@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?AddRef@HTMLAnchorElement@dom@mozilla@@WEI@AGKXZ
+?RegisterPendingLinkUpdate@Document@dom@mozilla@@QAEXPAVLink@23@@Z
+?TryDNSPrefetch@Link@dom@mozilla@@QAEXXZ
+?CreateInterfaceObjects@XULFrameElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetConstructorObject@XULFrameElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?Wrap@XULFrameElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXULFrameElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?BrowserId@XULFrameElement@dom@mozilla@@QAE_KXZ
+?GetFrameLoader@nsFrameLoaderOwner@@QAE?AU?$already_AddRefed@VnsFrameLoader@@@@XZ
+?Create@nsFrameLoader@@SA?AU?$already_AddRefed@VnsFrameLoader@@@@PAVElement@dom@mozilla@@_NPAVnsIOpenWindowInfo@@@Z
+?Release@nsFrameLoader@@UAGKXZ
+?Init@WeakFrame@@AAEXPAVnsIFrame@@@Z
+?LoadFrame@nsFrameLoader@@QAEX_N@Z
+?CheckForRecursiveLoad@nsFrameLoader@@QAE?AW4nsresult@@PAVnsIURI@@@Z
+?InitializeFrameLoader@Document@dom@mozilla@@QAE?AW4nsresult@@PAVnsFrameLoader@@@Z
+?MaybeInitializeFinalizeFrameLoaders@Document@dom@mozilla@@QAEXXZ
+??$mozCreateComponent@VnsIEventListenerService@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?NS_NewEventListenerService@@YA?AW4nsresult@@PAPAVnsIEventListenerService@@@Z
+?SetEventHandler@EventListenerManager@mozilla@@QAEXPAVOnBeforeUnloadEventHandlerNonNull@dom@2@@Z
+?GetAttributeMappingFunction@HTMLDivElement@dom@mozilla@@UBEP6AXPBVnsMappedAttributes@@AAVMappedDeclarations@3@@ZXZ
+?NS_NewHTMLButtonElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?GetFormMethod@HTMLButtonElement@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?IntrinsicState@HTMLButtonElement@dom@mozilla@@UBE?AVEventStates@3@XZ
+?GetEventListenerManagerForAttr@nsGenericHTMLElement@@MAEPAVEventListenerManager@mozilla@@PAVnsAtom@@PA_N@Z
+?QueryInterface@HTMLButtonElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DoneCreatingElement@HTMLButtonElement@dom@mozilla@@UAEXXZ
+?Equals@nsMappedAttributes@@QBE_NPBV1@@Z
+?Equals@nsAttrValue@@QBE_NABV1@@Z
+?LastRelease@nsMappedAttributes@@AAEXXZ
+?Shutdown@nsMappedAttributes@@SAXXZ
+?Stop@nsURILoader@@UAG?AW4nsresult@@PAVnsISupports@@@Z
+??1nsDocumentOpenInfo@@MAE@XZ
+??_GParentProcessDocumentOpenInfo@net@mozilla@@EAEPAXI@Z
+?ConnectionInfo@NullHttpTransaction@net@mozilla@@UAEPAVnsHttpConnectionInfo@23@XZ
+?OnMessageReceived@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?RecvComplete@BackgroundTransactionChild@indexedDB@dom@mozilla@@QAE?AVIPCResult@ipc@4@W4nsresult@@@Z
+?FireCompleteOrAbortEvents@IDBTransaction@dom@mozilla@@QAEXW4nsresult@@@Z
+?CreateGenericEvent@indexedDB@dom@mozilla@@YA?AV?$RefPtr@VEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTDependentString@_S@@W4Bubbles@123@W4Cancelable@123@@Z
+?PromiseResolve@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+?Only@IDBKeyRange@dom@mozilla@@SA?AV?$RefPtr@VIDBKeyRange@dom@mozilla@@@@ABVGlobalObject@23@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?Wrap@IDBKeyRange_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBKeyRange@23@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?Index@IDBObjectStore@dom@mozilla@@QAE?AV?$RefPtr@VIDBIndex@dom@mozilla@@@@ABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?WrapObject@IDBFileRequest@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IDBIndex_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBIndex@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetAllInternal@IDBIndex@dom@mozilla@@AAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$Optional@I@23@AAVErrorResult@3@@Z
+??0RequestParams@indexedDB@dom@mozilla@@QAE@$$QAVIndexGetAllParams@123@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@ABV?$Optional@I@23@@Z
+??$emplace@VSerializedKeyRange@indexedDB@dom@mozilla@@@?$Maybe@VSerializedKeyRange@indexedDB@dom@mozilla@@@mozilla@@QAEX$$QAVSerializedKeyRange@indexedDB@dom@1@@Z
+?NoteInactiveTransaction@IDBDatabase@dom@mozilla@@QAEXXZ
+?EmptyCString@@YAABV?$nsTString@D@@XZ
+?InheritOwnerEmbedderPolicyOrNull@WorkerPrivate@dom@mozilla@@QAEXPAVnsIRequest@@@Z
+?SetEmbedderPolicy@WorkerPrivate@dom@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4nsresult@@@3@W4CrossOriginEmbedderPolicy@nsILoadInfo@@@Z
+?GetInterface@nsBaseChannel@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ConvertToUTF8@ScriptLoader@dom@mozilla@@SA?AW4nsresult@@PAVnsIChannel@@PBEIABV?$nsTSubstring@_S@@PAVDocument@23@AAPATUtf8Unit@3@AAI@Z
+_ZN11encoding_rs7Decoder22max_utf8_buffer_length17h3748034099471898E
+decoder_decode_to_utf8
+_ZN11encoding_rs7Decoder14decode_to_utf817h0bb040905c1f1815E
+_ZN11encoding_rs7Decoder34decode_to_utf8_without_replacement17hd9b826209036a368E
+?IsSameOrigin@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@_NPA_N@Z
+?SetBaseURI@WorkerPrivate@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?GetHostOrIPv6WithBrackets@nsContentUtils@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetUTFOrigin@nsContentUtils@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@_S@@@Z
+?GetASCIIOrigin@nsContentUtils@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetUserPass@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetPrePath@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?InitFromChannel@ChannelInfo@dom@mozilla@@QAEXPAVnsIChannel@@@Z
+?FinalChannelPrincipalIsValid@WorkerLoadInfo@dom@mozilla@@QAE_NPAVnsIChannel@@@Z
+?SetCSPFromHeaderValues@WorkerPrivate@dom@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@0@Z
+?UpdateReferrerInfoFromHeader@WorkerPrivate@dom@mozilla@@QAEXABV?$nsTSubstring@D@@@Z
+?IsType@dom@mozilla@@YA_NPAVnsIURI@@W4ObjectType@DataInfo@12@@Z
+?ForEachBlobURL@BlobURLProtocolHandler@dom@mozilla@@SA_N$$QAV?$function@$$A6A_NPAVBlobImpl@dom@mozilla@@PAVnsIPrincipal@@ABV?$Maybe@UnsID@@@3@ABV?$nsTSubstring@D@@_N@Z@std@@@Z
+?PrincipalURIMatchesScriptURL@WorkerLoadInfo@dom@mozilla@@QAE_NXZ
+?WorkerScriptLoaded@WorkerPrivate@dom@mozilla@@QAEXXZ
+??0WorkerSyncRunnable@dom@mozilla@@IAE@PAVWorkerPrivate@12@PAVnsIEventTarget@@@Z
+?DispatchInternal@WorkerSyncRunnable@dom@mozilla@@MAE_NXZ
+?GetEffectiveStoragePrincipalInfo@WorkerPrivate@dom@mozilla@@QBEABVPrincipalInfo@ipc@3@XZ
+?MaybeWrapAsWorkerRunnable@WorkerPrivate@dom@mozilla@@QAE?AU?$already_AddRefed@VWorkerRunnable@dom@mozilla@@@@U?$already_AddRefed@VnsIRunnable@@@@@Z
+??$Reject@AB_N@Private@?$MozPromise@_N_N$0A@@mozilla@@QAEXAB_NPBD@Z
+??1ClientSource@dom@mozilla@@QAE@XZ
+?Shutdown@ClientSource@dom@mozilla@@AAEXXZ
+?SendTeardown@PClientSourceChild@dom@mozilla@@QAE_NXZ
+?Send__delete__@PClientSourceParent@dom@mozilla@@SA_NPAV123@@Z
+?IncrementExecutionDuration@PerformanceCounter@mozilla@@QAEXI@Z
+?StoreCSPOnClient@WorkerPrivate@dom@mozilla@@QAEXXZ
+?GetGlobalJSObject@WorkerGlobalScopeBase@dom@mozilla@@UAEPAVJSObject@@XZ
+?ExecutionReady@WorkerPrivate@dom@mozilla@@QAEXXZ
+?RemoveSource@ClientManagerService@dom@mozilla@@QAE_NPAVClientSourceParent@23@@Z
+?WorkerExecutionReady@ClientSource@dom@mozilla@@QAEXPAVWorkerPrivate@23@@Z
+?ClearSubtree@PClientSourceChild@dom@mozilla@@AAEXXZ
+?RemoveManagee@PClientManagerParent@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?DeallocManagee@PClientManagerParent@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?DeallocPAPZCTreeManagerParent@CompositorBridgeParent@layers@mozilla@@UAE_NPAVPAPZCTreeManagerParent@23@@Z
+??_GClientSourceParent@dom@mozilla@@UAEPAXI@Z
+??1ClientSourceParent@dom@mozilla@@UAE@XZ
+?OnProgress@nsDocLoader@@UAG?AW4nsresult@@PAVnsIRequest@@_J1@Z
+?GetTarget@nsDocLoader@@UAG?AW4nsresult@@PAPAVnsIEventTarget@@@Z
+?OnProgressChange@DocManager@a11y@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@HHHH@Z
+?PrincipalToInherit@BasePrincipal@mozilla@@QAEPAVnsIPrincipal@@PAVnsIURI@@@Z
+?GetAboutBlankInherits@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Subsumes@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PA_N@Z
+?CanCreateSimilarDrawTarget@DrawTarget@gfx@mozilla@@UBE_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@W4SurfaceFormat@23@@Z
+?ParseSheet@StyleSheet@mozilla@@QAE?AV?$RefPtr@V?$MozPromise@_N_N$00@mozilla@@@@AAVLoader@css@2@ABV?$nsTSubstring@D@@AAVSheetLoadData@52@@Z
+??0?$MozPromise@_N_N$00@mozilla@@IAE@PBD_N@Z
+??0?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@PBTUtf8Unit@mozilla@@I_NAAUCompilationInfo@12@AAUCompilationState@12@PAV?$Parser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@12@PAVBaseScript@2@@Z
+?ShouldReportErrors@ErrorReporter@css@mozilla@@SA_NABVDocument@dom@3@@Z
+?GetCssErrorReportingEnabled@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+??0?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE@PAUJSContext@@PAVParserAtomsTable@12@ABVReadOnlyCompileOptions@JS@@PBTUtf8Unit@mozilla@@I@Z
+Servo_MediaList_Matches
+?seekTo@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NABV?$TokenStreamPosition@TUtf8Unit@mozilla@@@23@ABVTokenStreamAnyChars@23@@Z
+?computeLineAndColumn@?$GeneralTokenStreamChars@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@IBEXIPAI0@Z
+?getTokenInternal@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NQAW4TokenKind@23@W4Modifier@Token@23@@Z
+?GetTainting@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?CheckMayLoad@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@_N@Z
+??4RequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVIndexGetAllResponse@123@@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@VSerializedStructuredCloneReadInfo@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+??$MoveInit@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@VSerializedStructuredCloneReadInfo@indexedDB@dom@mozilla@@@@@@IAEXAAV0@II@Z
+?EqualsExceptRef@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@VSerializedStructuredCloneReadInfo@indexedDB@dom@mozilla@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?getStringOrTemplateToken@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NDW4Modifier@Token@23@PAW4TokenKind@23@@Z
+?getRawTemplateStringAtom@?$GeneralTokenStreamChars@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAEPBVParserAtom@23@XZ
+?toNumber@ParserAtomEntry@frontend@js@@QBE_NPAUJSContext@@PAN@Z
+??0?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@QAE@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@PB_SI_NAAUCompilationInfo@12@AAUCompilationState@12@PAV?$Parser@VSyntaxParseHandler@frontend@js@@_S@12@PAVBaseScript@2@@Z
+?seekTo@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NABV?$TokenStreamPosition@TUtf8Unit@mozilla@@@23@ABVTokenStreamAnyChars@23@@Z
+?seekTo@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAEXABV?$TokenStreamPosition@TUtf8Unit@mozilla@@@23@@Z
+?NewScriptThingSpanUninitialized@frontend@js@@YA?AV?$Span@VTaggedScriptThingIndex@frontend@js@@$0PPPPPPPP@@mozilla@@PAUJSContext@@AAVLifoAlloc@2@I@Z
+_ZN9cssparser5color24parse_rgb_components_hsl10hue_to_rgb17hcb46d387acbe144eE
+?ReservedWordTokenKind@frontend@js@@YA?AW4TokenKind@12@PBVParserName@12@@Z
+?emitLazy@FunctionEmitter@frontend@js@@QAE_NXZ
+?setEnclosingScope@BaseScript@js@@QAEXPAVScope@2@@Z
+?unwrappedCanonical@ScriptSourceObject@js@@ABEPAV12@XZ
+??$GenericMethod@UMaybeGlobalThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?ImportScripts@WorkerGlobalScope@dom@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@V?$nsTString@_S@@@23@AAVErrorResult@3@@Z
+?Load@workerinternals@dom@mozilla@@YAXPAVWorkerPrivate@23@V?$UniquePtr@VSerializedStackHolder@dom@mozilla@@V?$DefaultDelete@VSerializedStackHolder@dom@mozilla@@@3@@3@ABV?$nsTArray@V?$nsTString@_S@@@@W4WorkerScriptType@23@AAVErrorResult@3@@Z
+?GetClientInfo@WorkerGlobalScopeBase@dom@mozilla@@UBE?AV?$Maybe@VClientInfo@dom@mozilla@@@3@XZ
+?GetController@WorkerGlobalScopeBase@dom@mozilla@@UBE?AV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@3@XZ
+?FinishAsyncParse@StyleSheet@mozilla@@QAEXU?$already_AddRefed@URawServoStyleSheetContents@@@@@Z
+??$Resolve@_N@Private@?$MozPromise@_N_N$00@mozilla@@QAEX$$QA_NPBD@Z
+?DispatchAll@?$MozPromise@_N_N$00@mozilla@@IAEXXZ
+?ThenInternal@?$MozPromise@_N_N$00@mozilla@@QAEXU?$already_AddRefed@VThenValueBase@?$MozPromise@_N_N$00@mozilla@@@@PBD@Z
+?Dispatch@ThenValueBase@?$MozPromise@_N_N$00@mozilla@@QAEXPAV23@@Z
+_ZN9cssparser3nth9parse_nth17h1451bf344fa9918bE
+_ZN5style10properties9longhands14flex_direction16cascade_property17h4146d87d7e5da488E
+_ZN5style11stylesheets14keyframes_rule16KeyframeSelector5parse17h8b015ce124a2fe87E
+_ZN5style10properties9longhands20animation_play_state16cascade_property17h0536435c77c95be7E
+_ZN5style10properties9longhands19animation_direction16cascade_property17hd93de12285931c8cE
+_ZN5style10properties9longhands25animation_iteration_count16cascade_property17h79c743bc6d07fd96E
+_ZN5style10properties9longhands19border_image_repeat16cascade_property17hc4313243fc5c39afE
+??0PSocketProcessParent@net@mozilla@@QAE@XZ
+?Open@IToplevelProtocol@ipc@mozilla@@QAE_NV?$UniquePtr@VChannel@IPC@@V?$DefaultDelete@VChannel@IPC@@@mozilla@@@3@KPAVMessageLoop@@W4Side@23@@Z
+??1MessageChannel@ipc@mozilla@@QAE@XZ
+?GetQueuedMessages@ListenerHook@ChildProcessHost@@UAEXAAV?$queue@VMessage@IPC@@V?$deque@VMessage@IPC@@V?$allocator@VMessage@IPC@@@std@@@std@@@std@@@Z
+?GetQueuedMessages@GeckoChildProcessHost@ipc@mozilla@@UAEXAAV?$queue@VMessage@IPC@@V?$deque@VMessage@IPC@@V?$allocator@VMessage@IPC@@@std@@@std@@@std@@@Z
+?OnMessageReceived@ProcessLink@ipc@mozilla@@UAEX$$QAVMessage@IPC@@@Z
+?SendInit@PSocketProcessParent@net@mozilla@@QAE_NABVSocketPorcessInitAttributes@23@@Z
+?Msg_Init@PSocketProcess@net@mozilla@@YAPAVMessage@IPC@@H@Z
+?Write@?$IPDLParamTraits@VSocketPorcessInitAttributes@net@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVSocketPorcessInitAttributes@net@3@@Z
+??1TileDescriptor@layers@mozilla@@QAE@XZ
+?OtherPid@IToplevelProtocol@ipc@mozilla@@QBEKXZ
+?CreateForProcess@ProfilerParent@mozilla@@SA?AV?$Endpoint@VPProfilerChild@mozilla@@@ipc@2@K@Z
+??$CreateEndpoints@VPBackgroundParent@ipc@mozilla@@VPBackgroundChild@23@@ipc@mozilla@@YA?AW4nsresult@@ABUPrivateIPDLInterface@01@KKPAV?$Endpoint@VPBackgroundParent@ipc@mozilla@@@01@PAV?$Endpoint@VPBackgroundChild@ipc@mozilla@@@01@@Z
+?CreateTransport@ipc@mozilla@@YA?AW4nsresult@@KPAUTransportDescriptor@12@0@Z
+??$applyImpl@VChannel@IPC@@P812@AE_NV?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@mozilla@@@ZU?$StoreCopyPassByRRef@V?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@mozilla@@@@$$Z$0A@@?$RunnableMethodArguments@$$QAV?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@mozilla@@@detail@mozilla@@SA_NPAVChannel@IPC@@P834@AE_NV?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@2@@ZAAV?$Tuple@U?$StoreCopyPassByRRef@V?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@mozilla@@@@@2@U?$integer_sequence@I$0A@@std@@@Z
+?Send@Channel@IPC@@QAE_NV?$UniquePtr@VMessage@IPC@@V?$DefaultDelete@VMessage@IPC@@@mozilla@@@mozilla@@@Z
+?DuplicateHandle@ipc@mozilla@@YA_NPAXKPAPAXKK@Z
+??_GChannelImpl@Channel@IPC@@UAEPAXI@Z
+?Close@ChannelImpl@Channel@IPC@@QAEXXZ
+??1RevocableStore@@QAE@XZ
+?DoProxyLookup@ProxyConfigLookupParent@net@mozilla@@QAEXXZ
+?OpenDescriptor@ipc@mozilla@@YA?AV?$UniquePtr@VChannel@IPC@@V?$DefaultDelete@VChannel@IPC@@@mozilla@@@2@ABUTransportDescriptor@12@W4Mode@Channel@IPC@@@Z
+??0ChannelImpl@Channel@IPC@@QAE@ABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@PAXW4Mode@12@PAVListener@12@@Z
+?ResetChunkManager@ProfilerChild@mozilla@@AAEXXZ
+?SendStop@PProfilerParent@mozilla@@QAE_NXZ
+?SendInitProfiler@PSocketProcessParent@net@mozilla@@QAE_N$$QAV?$Endpoint@VPProfilerChild@mozilla@@@ipc@3@@Z
+?Msg_InitProfiler@PSocketProcess@net@mozilla@@YAPAVMessage@IPC@@H@Z
+?SendGetLoadingSessionHistoryInfoFromParent@PContentChild@dom@mozilla@@QAEXABV?$MaybeDiscarded@VBrowsingContext@dom@mozilla@@@23@$$QAV?$function@$$A6AX$$QAV?$Tuple@V?$Maybe@ULoadingSessionHistoryInfo@dom@mozilla@@@mozilla@@HH@mozilla@@@Z@std@@$$QAV?$function@$$A6AXW4ResponseRejectReason@ipc@mozilla@@@Z@6@@Z
+?Write@?$ParamTraits@V?$Endpoint@VPBackgroundParent@ipc@mozilla@@@ipc@mozilla@@@IPC@@SAXPAVMessage@2@ABV?$Endpoint@VPBackgroundParent@ipc@mozilla@@@ipc@mozilla@@@Z
+?DuplicateDescriptor@ipc@mozilla@@YA?AUTransportDescriptor@12@ABU312@@Z
+?Write@?$ParamTraits@UTransportDescriptor@ipc@mozilla@@@IPC@@SAXPAVMessage@2@ABUTransportDescriptor@ipc@mozilla@@@Z
+?TransferHandleToProcess@ipc@mozilla@@YAPAXPAXK@Z
+?WriteWString@Pickle@@QAE_NABV?$basic_string@_WU?$char_traits@_W@std@@V?$allocator@_W@2@@std@@@Z
+?CloseDescriptor@ipc@mozilla@@YAXABUTransportDescriptor@12@@Z
+??1nsFileStreamBase@@MAE@XZ
+?CallOrWaitForSocketProcess@nsIOService@net@mozilla@@QAEXABV?$function@$$A6AXXZ@std@@@Z
+?SendPreferenceUpdate@PSocketProcessParent@net@mozilla@@QAE_NABVPref@dom@3@@Z
+?SendPreferenceUpdate@PContentParent@dom@mozilla@@QAE_NABVPref@23@@Z
+?Write@?$IPDLParamTraits@VPref@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVPref@dom@3@@Z
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@VPaintFragment@gfx@mozilla@@W4ResponseRejectReason@ipc@3@$00@mozilla@@UAE@XZ
+??1Revocable@RevocableStore@@QAE@XZ
+?Release@AudioProcessingEvent@dom@mozilla@@UAGKXZ
+?GetEventTargetParentForAnchors@nsGenericHTMLElement@@QAEXAAVEventChainPreVisitor@mozilla@@@Z
+?GetEventTargetParentForLinks@Element@dom@mozilla@@IAEXAAVEventChainPreVisitor@3@@Z
+?PostHandleEventForAnchors@nsGenericHTMLElement@@QAE?AW4nsresult@@AAVEventChainPostVisitor@mozilla@@@Z
+?PostHandleEventForLinks@Element@dom@mozilla@@IAE?AW4nsresult@@AAVEventChainPostVisitor@3@@Z
+?SetTitle@Document@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?GetTitle@Document@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?SetBody@Document@dom@mozilla@@QAEXPAVnsGenericHTMLElement@@AAVErrorResult@3@@Z
+?Item@nsContentList@@QAEPAVnsIContent@@I_N@Z
+?LastRelease@nsContentList@@UAEXXZ
+?RemoveFromCaches@nsContentList@@MAEXXZ
+?RemoveFromHashtable@nsContentList@@IAEXXZ
+?GetNodeTextContent@nsContentUtils@@SAXPAVnsINode@@_NAAV?$nsTSubstring@_S@@@Z
+?AppendTo@nsTextFragment@@QBE_NAAV?$nsTSubstring@_S@@ABUnothrow_t@std@@@Z
+?CompressWhitespace@?$nsTString@_S@@QAEX_N0@Z
+?SendUpdateDocumentTitle@PWindowGlobalChild@dom@mozilla@@QAE_NABV?$nsTString@_S@@@Z
+?GetEventTargetParent@HTMLMediaElement@dom@mozilla@@UAEXAAVEventChainPreVisitor@3@@Z
+??_GSVGDocument@dom@mozilla@@UAEPAXI@Z
+?AsyncEventRunning@HTMLInputElement@dom@mozilla@@UAEXPAVAsyncEventDispatcher@3@@Z
+?AsyncEventRunning@nsImageLoadingContent@@IAEXPAVAsyncEventDispatcher@mozilla@@@Z
+?Focus@HTMLInputElement@dom@mozilla@@UAEXABUFocusOptions@23@W4CallerType@23@AAVErrorResult@3@@Z
+?IsElementDisabledForEvents@nsGenericHTMLFormElement@@IAE_NPAVWidgetEvent@mozilla@@PAVnsIFrame@@@Z
+?OnMessageReceived@PClientSourceChild@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?RemoveManagee@PClientSourceChild@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?RecvRequestScreenPixels@UiCompositorControllerParent@layers@mozilla@@QAE?AVIPCResult@ipc@3@XZ
+?ActorDestroy@ClientSourceChild@dom@mozilla@@EAEXW4ActorDestroyReason@IProtocol@ipc@3@@Z
+?RemoveManagee@PClientManagerChild@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?DeallocManagee@PClientManagerChild@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+??_GClientSourceChild@dom@mozilla@@UAEPAXI@Z
+?SetArrayLength@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@1@I@Z
+?SetLengthProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@I@Z
+?SubsumesInternal@ContentPrincipal@mozilla@@MAE_NPAVnsIPrincipal@@W4DocumentDomainConsideration@BasePrincipal@2@@Z
+?NS_SecurityCompareURIs@@YA_NPAVnsIURI@@0_N@Z
+?NS_GetDefaultPort@@YAHPBDPAVnsIIOService@@@Z
+?GetDefaultPort@ExtensionProtocolHandler@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+Gecko_nsTArray_FontFamilyName_AppendNamed
+?CreateForFetch@ReferrerInfo@dom@mozilla@@SA?AU?$already_AddRefed@VnsIReferrerInfo@@@@PAVnsIPrincipal@@PAVDocument@23@@Z
+?NS_NewChannel@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsIPrincipal@@ABVClientInfo@dom@mozilla@@ABV?$Maybe@VServiceWorkerDescriptor@dom@mozilla@@@7@IIPAVnsICookieJarSettings@@PAVPerformanceStorage@67@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@I@Z
+?SetCsp@nsBaseDragService@@UAG?AW4nsresult@@PAVnsIContentSecurityPolicy@@@Z
+?Release@WorkerCSPEventListener@dom@mozilla@@UAGKXZ
+?WrapObject@PerformanceTiming@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CSPInfoToCSP@ipc@mozilla@@YA?AU?$already_AddRefed@VnsIContentSecurityPolicy@@@@ABVCSPInfo@12@PAVDocument@dom@2@PAW4nsresult@@@Z
+?SetSkipAllowInlineStyleCheck@nsCSPContext@@UAEX_N@Z
+?GetSendCSPViolationEvents@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Run@ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@W4AudioContextState@dom@mozilla@@_N$00@mozilla@@UAG?AW4nsresult@@XZ
+??_G?$MozPromise@_N_N$00@mozilla@@MAEPAXI@Z
+??1?$MozPromise@_N_N$00@mozilla@@MAE@XZ
+?AssertIsDead@?$MozPromise@_N_N$00@mozilla@@UAEXXZ
+??_GResolveOrRejectRunnable@ThenValueBase@?$MozPromise@_N_N$00@mozilla@@UAEPAXI@Z
+?InsertSheetInTree@Loader@css@mozilla@@AAEXAAVStyleSheet@3@PAVnsINode@@@Z
+?GetContainingShadow@nsINode@@QBEPAVShadowRoot@dom@mozilla@@XZ
+?InsertSheetAt@Document@dom@mozilla@@QAEXIAAVStyleSheet@3@@Z
+?SetAssociatedDocumentOrShadowRoot@StyleSheet@mozilla@@QAEXPAVDocumentOrShadowRoot@dom@2@@Z
+?StyleSheetApplicableStateChanged@Document@dom@mozilla@@QAEXAAVStyleSheet@3@@Z
+?AddDocStyleSheet@ServoStyleSet@mozilla@@QAEXAAVStyleSheet@2@@Z
+?FindDocStyleSheetInsertionPoint@Document@dom@mozilla@@QAEIABVStyleSheet@3@@Z
+Servo_StyleSet_GetSheetCount
+?ApplicableStylesChanged@Document@dom@mozilla@@QAEXXZ
+?DoObserveStyleFlushes@PresShell@mozilla@@AAEXXZ
+?MarkCounterStylesDirty@nsPresContext@@QAEXXZ
+?PostStyleSheetApplicableStateChangeEvent@Document@dom@mozilla@@QAEXAAVStyleSheet@3@@Z
+?PutStyleSheet@nsXULPrototypeCache@@QAE?AW4nsresult@@$$QAV?$RefPtr@VStyleSheet@mozilla@@@@@Z
+Servo_UseCounters_Merge
+?MaybeWarnAboutZoom@Document@dom@mozilla@@QAEXXZ
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@_N_N$00@mozilla@@UAE@XZ
+?RemoveObserver@nsThread@@UAG?AW4nsresult@@PAVnsIThreadObserver@@@Z
+?RemoveObserver@SynchronizedEventQueue@mozilla@@QAEXPAVnsIThreadObserver@@@Z
+Servo_StyleSet_GetSheetAt
+?OnMessageReceived@PSocketProcessParent@net@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+??8FileDescriptor@ipc@mozilla@@QBE_NABV012@@Z
+?ReadIntPtr@Pickle@@QBE_NPAVPickleIterator@@PAH@Z
+??0CrashReporterHost@ipc@mozilla@@QAE@W4GeckoProcessType@@K@Z
+?RecvUpdateDocumentTitle@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABV?$nsTString@_S@@@Z
+?PostSerializationActivation@InputStreamHelper@ipc@mozilla@@SAXAAVInputStreamParams@23@_N1@Z
+?InsertSheetAt@ShadowRoot@dom@mozilla@@QAEXIAAVStyleSheet@3@@Z
+?StyleSheetApplicableStateChanged@ShadowRoot@dom@mozilla@@QAEXAAVStyleSheet@3@@Z
+?InsertSheetIntoAuthorData@ShadowRoot@dom@mozilla@@AAEXIAAVStyleSheet@3@ABV?$nsTArray@V?$RefPtr@VStyleSheet@mozilla@@@@@@@Z
+Servo_AuthorStyles_Create
+_ZN5style12invalidation11stylesheets25StylesheetInvalidationSet3new17h0a0b3b12bb4ed6faE
+Servo_AuthorStyles_AppendStyleSheet
+?RecordShadowStyleChange@ServoStyleSet@mozilla@@QAEXAAVShadowRoot@dom@2@@Z
+?PostRestyleEvent@RestyleManager@mozilla@@QAEXPAVElement@dom@2@UStyleRestyleHint@2@W4nsChangeHint@@@Z
+?Clone@MediaList@dom@mozilla@@QAE?AU?$already_AddRefed@VMediaList@dom@mozilla@@@@XZ
+Servo_MediaList_DeepClone
+?trace@?$RootedTraceable@VTaggedProto@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?emitGetFirstDollarIndexResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+Servo_StyleSet_InsertStyleSheetBefore
+_ZN5style7stylist7Stylist24insert_stylesheet_before17h0c599ca31375e3aeE
+?TriggerInitialTranslation@DocumentL10n@dom@mozilla@@QAEXXZ
+?TranslateFragment@DOMLocalization@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVnsINode@@AAVErrorResult@3@@Z
+?TranslateElements@DOMLocalization@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@ABV?$Sequence@V?$OwningNonNull@VElement@dom@mozilla@@@mozilla@@@23@AAVErrorResult@3@@Z
+?SetAsL10nIdArgs@OwningUTF8StringOrL10nIdArgs@dom@mozilla@@QAEAAUL10nIdArgs@23@XZ
+?Uninit@OwningUTF8StringOrL10nIdArgs@dom@mozilla@@QAEXXZ
+??0L10nIdArgs@dom@mozilla@@QAE@XZ
+?GetAttributes@DOMLocalization@dom@mozilla@@QAEXAAVElement@23@AAUL10nIdArgs@23@AAVErrorResult@3@@Z
+?FormatMessagesSync@Localization@intl@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@VOwningUTF8StringOrL10nIdArgs@dom@mozilla@@@dom@3@AAV?$nsTArray@U?$Nullable@UL10nMessage@dom@mozilla@@@dom@mozilla@@@@AAVErrorResult@3@@Z
+?ToJSVal@OwningUTF8StringOrL10nIdArgs@dom@mozilla@@QBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@6@@Z
+?ToObjectInternal@L10nIdArgs@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?NonVoidUTF8StringToJsval@dom@mozilla@@YA_NPAUJSContext@@ABV?$nsTSubstring@D@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?JS_NewStringCopyUTF8N@@YAPAVJSString@@PAUJSContext@@VUTF8Chars@JS@@@Z
+?Bailout@jit@js@@YA_NPAVBailoutStack@12@PAPAUBaselineBailoutInfo@12@@Z
+??0BailoutFrameInfo@jit@js@@QAE@ABVJitActivationIterator@12@PAVBailoutStack@12@@Z
+?FromBailout@MachineState@jit@js@@SA?AV123@AAV?$Array@TRegisterContent@Registers@jit@js@@$07@mozilla@@AAV?$Array@TRegisterContent@FloatRegisters@jit@js@@$07@5@@Z
+??0JSJitFrameIter@jit@js@@QAE@PBVJitActivation@12@@Z
+?ionScript@JSJitFrameIter@jit@js@@QBEPAVIonScript@23@XZ
+??0SnapshotIterator@jit@js@@QAE@ABVJSJitFrameIter@12@PBVMachineState@12@@Z
+?snapshotOffset@JSJitFrameIter@jit@js@@QBEIXZ
+?readRecoverData@RInstruction@jit@js@@SAXAAVCompactBufferReader@23@PAVRInstructionStorage@23@@Z
+?initInstructionResults@SnapshotIterator@jit@js@@QAE_NAAUMaybeReadFallback@23@@Z
+?maybeCallee@JSJitFrameIter@jit@js@@QBEPAVJSFunction@@XZ
+?settleOnFrame@SnapshotIterator@jit@js@@QAEXXZ
+?readAllocation@SnapshotReader@jit@js@@QAE?AVRValueAllocation@23@XZ
+?allocationValue@SnapshotIterator@jit@js@@AAE?AVValue@JS@@ABVRValueAllocation@23@W4ReadMethod@123@@Z
+?removeIonFrameRecovery@JitActivation@jit@js@@QAEXPAVJitFrameLayout@23@@Z
+?FinishBailoutToBaseline@jit@js@@YA_NPAUBaselineBailoutInfo@12@@Z
+??EJSJitFrameIter@jit@js@@QAEXXZ
+?EnsureHasEnvironmentObjects@jit@js@@YA_NPAUJSContext@@VAbstractFramePtr@2@@Z
+?lookupRematerializedFrame@JitActivation@jit@js@@QAEPAVRematerializedFrame@23@PAEI@Z
+?removeRematerializedFramesFromDebugger@JitActivation@jit@js@@QAEXPAUJSContext@@PAE@Z
+?GetFirstDollarIndexRaw@js@@YA_NPAUJSContext@@PAVJSString@@PAH@Z
+??$ToAtom@$0A@@js@@YAPAVJSAtom@@PAUJSContext@@ABVValue@JS@@@Z
+?Invalidate@jit@js@@YAXPAUJSContext@@PAVJSScript@@_N2@Z
+?Invalidate@jit@js@@YAXPAUJSContext@@ABV?$GCVector@VRecompileInfo@jit@js@@$00VSystemAllocPolicy@3@@JS@@_N2@Z
+??0OnlyJSJitFrameIter@js@@QAE@ABVActivationIterator@1@@Z
+?setIonScriptImpl@JitScript@jit@js@@AAEXPAVJSFreeOp@@PAVJSScript@@PAVIonScript@23@@Z
+?CreateInterfaceObjects@FluentResource_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@FluentResource@intl@mozilla@@SA?AU?$already_AddRefed@VFluentResource@intl@mozilla@@@@ABVGlobalObject@dom@3@ABV?$nsTSubstring@D@@@Z
+_ZN58_$LT$nsstring..nsCString$u20$as$u20$core..fmt..Display$GT$3fmt17ha0e754ea65ca0c4aE
+_ZN13fluent_bundle8resource14FluentResource7try_new17hf7fb21acb0d61104E
+_ZN63_$LT$$RF$str$u20$as$u20$fluent_syntax..parser..slice..Slice$GT$5slice17hc51276c244f0f048E
+_ZN60_$LT$http..uri..InvalidUri$u20$as$u20$core..fmt..Display$GT$3fmt17hee7b47f407cfb3e6E
+?Wrap@FluentResource_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVFluentResource@intl@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?JS_NewUCStringDontDeflate@@YAPAVJSString@@PAUJSContext@@V?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@I@Z
+?emitGuardBooleanToInt32@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@VInt32OperandId@23@@Z
+?CreateInterfaceObjects@FluentBundle_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@FluentBundle@intl@mozilla@@SA?AU?$already_AddRefed@VFluentBundle@intl@mozilla@@@@ABVGlobalObject@dom@3@ABVUTF8StringOrUTF8StringSequence@63@ABUFluentBundleOptions@63@AAVErrorResult@3@@Z
+fluent_bundle_new_single
+fluent_bundle_new
+_ZN13intl_memoizer16IntlLangMemoizer3new17h0600387d65243aa8E
+?WrapObject@FluentBundle@intl@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@FluentBundle_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVFluentBundle@intl@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?AddResource@FluentBundle@intl@mozilla@@QAEXAAVFluentResource@23@ABUFluentBundleAddResourceOptions@dom@3@@Z
+fluent_bundle_add_resource
+?GetMessage@FluentBundle@intl@mozilla@@QAEXABV?$nsTSubstring@D@@AAU?$Nullable@UFluentMessage@dom@mozilla@@@dom@3@@Z
+fluent_bundle_get_message
+_ZN74_$LT$nsstring..nsCString$u20$as$u20$core..convert..From$LT$$RF$str$GT$$GT$4from17h0c618943812e857cE
+?CountGraphemeClusters@unicode@mozilla@@YAIPB_SI@Z
+?Wrap@FluentPattern_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVFluentPattern@intl@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?CreateInterfaceObjects@FluentPattern_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?FormatPattern@FluentBundle@intl@mozilla@@QAEXPAUJSContext@@ABVFluentPattern@23@ABU?$Nullable@V?$Record@V?$nsTString@D@@U?$Nullable@VOwningUTF8StringOrDouble@dom@mozilla@@@dom@mozilla@@@dom@mozilla@@@dom@3@ABV?$Optional@V?$Handle@PAVJSObject@@@JS@@@73@AAV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+fluent_bundle_format_pattern
+_ZN13fluent_bundle7message13FluentMessage13get_attribute17h5b7820229224a84eE
+??0L10nMessage@dom@mozilla@@QAE@XZ
+?Init@L10nMessage@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@UAttributeNameValue@dom@mozilla@@UnsTArrayFallibleAllocator@@@@AAEPAUAttributeNameValue@dom@mozilla@@I@Z
+??0AttributeNameValue@dom@mozilla@@QAE@XZ
+?OnCreatePresShell@DocumentL10n@dom@mozilla@@QAEXXZ
+?ToString@nsAtom@@QBEXAAV?$nsTSubstring@_S@@@Z
+??1?$nsTArray_Impl@UL10nOverlaysError@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??$MaybeSomething@ABV?$Handle@VValue@JS@@@JS@@@Promise@dom@mozilla@@AAEXABV?$Handle@VValue@JS@@@JS@@P8012@AEXPAUJSContext@@V34@@Z@Z
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@5@@Z
+??1?$nsTArray_Impl@U?$Nullable@UL10nMessage@dom@mozilla@@@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?MaybeWrapPromise@Localization@intl@mozilla@@IAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVPromise@dom@3@@Z
+?All@Promise@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAUJSContext@@ABV?$nsTArray@V?$RefPtr@VPromise@dom@mozilla@@@@@@AAVErrorResult@3@W4PropagateUserInteraction@123@@Z
+?GetWaitForAllPromise@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@@Z
+??1?$nsTArray_Impl@V?$RefPtr@VPromise@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?ConnectRoot@DOMLocalization@dom@mozilla@@QAEXAAVnsINode@@AAVErrorResult@3@@Z
+?AppendNativeHandler@Promise@dom@mozilla@@QAEXPAVPromiseNativeHandler@23@@Z
+?Wrap@PromiseNativeHandler_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPromiseNativeHandler@23@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?Call@AnyCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@1V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?ReactToUnwrappedPromise@js@@YA_NPAUJSContext@@V?$Handle@PAVPromiseObject@js@@@JS@@V?$Handle@PAVJSObject@@@4@2W4UnhandledRejectionBehavior@1@@Z
+?DoGetPropSuperFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetProp_Fallback@12@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@7@4@Z
+?IsInSyncOperation@nsGlobalWindowInner@@UAE_NXZ
+??0DomPromiseListener@dom@mozilla@@QAE@PAVPromise@12@$$QAV?$function@$$A6AXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z@std@@$$QAV?$function@$$A6AXW4nsresult@@@Z@5@@Z
+?TranslateElement@L10nOverlays@dom@mozilla@@SAXABVGlobalObject@23@AAVElement@23@ABUL10nMessage@23@AAU?$Nullable@V?$nsTArray@UL10nOverlaysError@dom@mozilla@@@@@23@@Z
+?OnSetDirAttr@mozilla@@YAXPAVElement@dom@1@PBVnsAttrValue@@_N22@Z
+?RecomputeDirectionality@mozilla@@YA?AW4Directionality@1@PAVElement@dom@1@_N@Z
+?InitialTranslationCompleted@Document@dom@mozilla@@QAEX_N@Z
+?SetIsL10nCached@nsXULPrototypeDocument@@QAEX_N@Z
+?NotifyDOMInteractive@nsDOMNavigationTiming@@QAEXPAVnsIURI@@@Z
+?DoGetMappedAttrCount@AttrArray@@ABEIXZ
+?GetAttr@nsMappedAttributes@@QBEPBVnsAttrValue@@PBVnsAtom@@@Z
+?HasStorageAccessPermissionGranted@nsPIDOMWindowInner@@QAE_NXZ
+?HandleEvent@EventListener@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AAVEvent@23@AAVErrorResult@3@@Z
+??$DelPropOperation@$0A@@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVPropertyName@js@@@3@PA_N@Z
+?UnsetAttr@Element@dom@mozilla@@QAE?AW4nsresult@@HPAVnsAtom@@_N@Z
+?RemoveAttrAt@AttrArray@@QAE?AW4nsresult@@IAAVnsAttrValue@@@Z
+?Stub5@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?NS_DelayedDispatchToCurrentThread@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@I@Z
+?DelayedDispatch@nsThread@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?DelayedDispatch@ThreadEventTarget@mozilla@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?GetNumberOfProcessors@mozilla@@YAIXZ
+?SetName@XPCCallContext@@QAEXUPropertyKey@JS@@@Z
+?SetArgsAndResultPtr@XPCCallContext@@QAEXIPAVValue@JS@@0@Z
+?JS_sprintf_append@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@$$QAV12@PBDZZ
+?IsModuleLoaded@mozJSComponentLoader@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@PA_N@Z
+?Toggle@nsDOMTokenList@@QAE_NABV?$nsTSubstring@_S@@ABV?$Optional@_N@dom@mozilla@@AAVErrorResult@5@@Z
+?Constructor@CustomEvent@dom@mozilla@@SA?AU?$already_AddRefed@VCustomEvent@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUCustomEventInit@23@@Z
+?Wrap@CustomEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVCustomEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Wrap@HTMLHtmlElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSharedElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLHtmlElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetExistingAttrNameFromQName@nsMappedAttributes@@QBEPBVnsAttrName@@ABV?$nsTSubstring@_S@@@Z
+?GetScreen@nsGlobalWindowInner@@QAEPAVnsScreen@@AAVErrorResult@mozilla@@@Z
+?Create@nsScreen@@SA?AU?$already_AddRefed@VnsScreen@@@@PAVnsPIDOMWindowInner@@@Z
+??0ScreenOrientation@dom@mozilla@@QAE@PAVnsPIDOMWindowInner@@PAVnsScreen@@@Z
+?RegisterScreenConfigurationObserver@hal@mozilla@@YAXPAV?$Observer@VScreenConfiguration@hal@mozilla@@@2@@Z
+?GetCurrentScreenConfiguration@hal@mozilla@@YAXPAVScreenConfiguration@12@@Z
+?GetCurrentScreenConfiguration@hal_impl@mozilla@@YAXPAVScreenConfiguration@hal@2@@Z
+?GetCurrentScreenConfiguration@fallback@mozilla@@YAXPAVScreenConfiguration@hal@2@@Z
+?GetMinRate@AudioDeviceInfo@@UAG?AW4nsresult@@PAI@Z
+?SetCurrentOrientation@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@W4OrientationType@23@M@Z
+?MozUnlockOrientation@nsScreen@@QAEXXZ
+?Wrap@Screen_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsScreen@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Screen_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@ScreenLuminance_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@SpeechRecognition_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetAvailRect@nsScreen@@IAE?AW4nsresult@@AAUnsRect@@@Z
+?ShouldResistFingerprinting@nsContentUtils@@SA_NPAVnsIDocShell@@@Z
+?GetRDMDeviceSize@nsGlobalWindowOuter@@SA?AV?$Maybe@U?$IntSizeTyped@UCSSPixel@mozilla@@@gfx@mozilla@@@mozilla@@ABVDocument@dom@3@@Z
+?GetTopLevelContentDocument@Document@dom@mozilla@@QBEPBV123@XZ
+?GetDeviceContextForScreenInfo@nsLayoutUtils@@SAPAVnsDeviceContext@@PAVnsPIDOMWindowOuter@@@Z
+?GetInnerSize@nsGlobalWindowOuter@@QAE?AW4nsresult@@AAU?$SizeTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@@Z
+?GetPresContext@nsDocShell@@UAEPAVnsPresContext@@XZ
+?GetRect@nsDeviceContext@@QAE?AW4nsresult@@AAUnsRect@@@Z
+?GetDeviceSurfaceDimensions@nsDeviceContext@@QAE?AW4nsresult@@AAH0@Z
+?GetDesktopToDeviceScale@nsDeviceContext@@QAE?AU?$ScaleFactor@UDesktopPixel@mozilla@@ULayoutDevicePixel@2@@gfx@mozilla@@XZ
+?GetContentsScaleFactor@Screen@widget@mozilla@@UAG?AW4nsresult@@PAN@Z
+?GetClientRect@nsDeviceContext@@QAE?AW4nsresult@@AAUnsRect@@@Z
+?GetToolbar@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0ToolbarProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?WrapObject@BarProp@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@BarProp_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVBarProp@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@BarProp_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetWebBrowserChrome@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VnsIWebBrowserChrome@@@@XZ
+?GetTreeOwner@nsPIDOMWindowOuter@@QAE?AU?$already_AddRefed@VnsIDocShellTreeOwner@@@@XZ
+?MatchMedia@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VMediaQueryList@dom@mozilla@@@@ABV?$nsTSubstring@_S@@W4CallerType@dom@mozilla@@AAVErrorResult@6@@Z
+?MatchMedia@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VMediaQueryList@dom@mozilla@@@@ABV?$nsTSubstring@_S@@W4CallerType@23@@Z
+??0MediaQueryList@dom@mozilla@@QAE@PAVDocument@12@ABV?$nsTSubstring@_S@@W4CallerType@12@@Z
+Servo_MediaList_Create
+Servo_MediaList_SetText
+_ZN5style11shared_lock12SharedRwLock5write17h45ac49c1e92d27d2E
+?KeepAliveIfHasListenersFor@DOMEventTargetHelper@mozilla@@IAEXABV?$nsTSubstring@_S@@@Z
+?WrapObject@MediaQueryList@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@MediaQueryList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMediaQueryList@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@MediaQueryList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@UMediaImage@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?Matches@MediaQueryList@dom@mozilla@@QAE_NXZ
+?GetFullScreen@nsGlobalWindowInner@@QAE_NAAVErrorResult@mozilla@@@Z
+?Fullscreen@nsGlobalWindowOuter@@QBE_NXZ
+?ItemType@nsDocShell@@UAEHXZ
+?GetDefaultView@Document@dom@mozilla@@QBE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@XZ
+?AddListener@MediaQueryList@dom@mozilla@@QAEXPAVEventListener@23@AAVErrorResult@3@@Z
+?ComputeDefaultWantsUntrusted@DOMEventTargetHelper@mozilla@@UAE_NAAVErrorResult@2@@Z
+?HasListenersFor@EventListenerManager@mozilla@@QBE_NABV?$nsTSubstring@_S@@@Z
+?Get@?$FindAssociatedGlobalForNative@VHTMLSharedElement@dom@mozilla@@$00@dom@mozilla@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+??0nsDOMCSSAttributeDeclaration@@QAE@PAVElement@dom@mozilla@@_N@Z
+?WrapObject@nsDOMCSSDeclaration@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@CSS2Properties_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsDOMCSSDeclaration@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@CSS2Properties_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CSSStyleDeclaration_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?layout_css_aspect_ratio_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_font_variations_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_initial_letter_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_grid_template_masonry_value_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_math_depth_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_math_style_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_osx_font_smoothing_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_motion_path_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_scroll_anchoring_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_text_decoration_skip_ink_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_text_justify_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_text_underline_position_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_touch_action_enabled@StaticPrefs@mozilla@@YA_NXZ
+?svg_transform_box_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_webkit_line_clamp_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_overflow_clip_box_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_overflow_logical_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_overscroll_behavior_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_individual_transform_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_text_decoration_thickness_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_text_underline_offset_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_zoom_transform_hack_enabled@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_transitions@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_animations@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_transforms@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_columns@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_font_features@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_box_sizing@StaticPrefs@mozilla@@YA_NXZ
+?layout_css_prefixes_border_image@StaticPrefs@mozilla@@YA_NXZ
+??0CSPReport@dom@mozilla@@QAE@XZ
+?GetDocGroup@nsICSSDeclaration@@QAEPAVDocGroup@dom@mozilla@@XZ
+?RemoveProperty@nsDOMCSSDeclaration@@UAEXABV?$nsTSubstring@D@@AAV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?GetPropertyValue@nsDOMCSSDeclaration@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV?$nsTSubstring@_S@@@Z
+?GetPropertyValue@nsDOMCSSDeclaration@@UAE?AW4nsresult@@W4nsCSSPropertyID@@AAV?$nsTSubstring@_S@@@Z
+?SetProperty@nsDOMCSSDeclaration@@UAEXABV?$nsTSubstring@D@@0ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVErrorResult@mozilla@@@Z
+_ZN5style10properties10PropertyId13non_custom_id17hf0423c7a45be8ed1E
+Servo_DeclarationBlock_CreateEmpty
+?ParentChainChanged@nsComputedDOMStyle@@UAEXPAVnsIContent@@@Z
+?GetURLDataForStyleAttr@nsIContent@@QBE?AU?$already_AddRefed@UURLExtraData@mozilla@@@@PAVnsIPrincipal@@@Z
+?CreateForInternalCSSResources@ReferrerInfo@dom@mozilla@@SA?AU?$already_AddRefed@VnsIReferrerInfo@@@@PAVDocument@23@@Z
+Servo_DeclarationBlock_SetProperty
+Servo_DeclarationBlock_GetPropertyIsImportant
+_ZN5style11stylesheets12UrlExtraData3ptr17hef741d1b8357e462E
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock18prepare_for_update17h3dc0b621d30dec6aE
+?MutationClosureFunction@nsDOMCSSAttributeDeclaration@@SAXPAX@Z
+?InlineStyleDeclarationWillChange@nsStyledElement@@UAEXAAUMutationClosureData@mozilla@@@Z
+_ZN5style10properties25SourcePropertyDeclaration5drain17h7a8af7ab311f7a0eE
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock6update17h3e30a760bb1167e0E
+?SetInlineStyleDeclaration@nsStyledElement@@UAE?AW4nsresult@@AAVDeclarationBlock@mozilla@@AAUMutationClosureData@4@@Z
+??0nsAttrValue@@QAE@U?$already_AddRefed@VDeclarationBlock@mozilla@@@@PBV?$nsTSubstring@_S@@@Z
+??$Find@_SX@?$nsTString@_S@@QBEHABV0@HH@Z
+?GetContainer@Document@dom@mozilla@@QBEPAVnsISupports@@XZ
+?GetEnabled@nsDocShellTreeOwner@@UAG?AW4nsresult@@PA_N@Z
+?ThreadSafeGetDocumentLWTheme@Document@dom@mozilla@@QBE?AW4DocumentTheme@123@XZ
+?Generate@XPathGenerator@@SAXPBVnsINode@@AAV?$nsTSubstring@_S@@@Z
+Servo_DeclarationBlock_GetPropertyValue
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock21property_value_to_css17h7e7628b3d855ffc3E
+Servo_DeclarationBlock_RemoveProperty
+Servo_DeclarationBlock_SetPropertyById
+_ZN5style10properties21PropertyDeclarationId20is_or_is_longhand_of17h1ca51cd8936a8362E
+?emitGuardIsNotDOMProxy@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?CreateInterfaceObjects@InspectorUtils_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AppendDeferredFinalizePointer@?$DeferredFinalizerImpl@VJSObjectsDropper@CallbackObject@dom@mozilla@@@dom@mozilla@@SAPAXPAX0@Z
+?ColorToRGBA@InspectorUtils@dom@mozilla@@SAXAAVGlobalObject@23@ABV?$nsTSubstring@D@@PBVDocument@23@AAU?$Nullable@UInspectorRGBATuple@dom@mozilla@@@23@@Z
+_ZN5style10properties12StyleBuilder15for_inheritance17hf84478c54cbe3173E
+??0InspectorRGBATuple@dom@mozilla@@QAE@XZ
+?ColorComponentToFloat@nsStyleUtil@@SAME@Z
+?Style@nsStyledElement@@QAEPAVnsICSSDeclaration@@XZ
+?DispatchEvent@nsGlobalWindowInner@@UAE_NAAVEvent@dom@mozilla@@W4CallerType@34@AAVErrorResult@4@@Z
+Gecko_MediaFeatures_GetOperatingSystemVersion
+?ToggleAttribute@Element@dom@mozilla@@QAE_NABV?$nsTSubstring@_S@@ABV?$Optional@_N@23@PAVnsIPrincipal@@AAVErrorResult@3@@Z
+??$mozCreateComponent@VnsIFocusManager@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?NS_NewFocusManager@@YA?AW4nsresult@@PAPAVnsIFocusManager@@@Z
+?GetActiveWindow@nsFocusManager@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?UncheckedUnwrapWithoutExpose@js@@YAPAVJSObject@@PAV2@@Z
+?MozPressure@MouseEvent@dom@mozilla@@QBEMXZ
+xulstore_get_value
+?ToString@DOMString@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?ParseIntMarginValue@nsContentUtils@@SA_NABV?$nsTSubstring@_S@@AAU?$IntMarginTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?GetSystemMetricsForDpi@WinUtils@widget@mozilla@@SAHHI@Z
+?ToIntRect@WinUtils@widget@mozilla@@SA?AU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@3@ABUtagRECT@@@Z
+?SetPositionAndSize@nsDocShell@@UAG?AW4nsresult@@HHHHI@Z
+?ResizeReflow@PresShell@mozilla@@QAE?AW4nsresult@@HHW4ResizeReflowOptions@2@@Z
+?SetVisualViewportSize@PresShell@mozilla@@QAEXHH@Z
+?SetBounds@nsDocumentViewer@@UAG?AW4nsresult@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?GetOffsetToWidget@nsView@@QBE?AUnsPoint@@PAVnsIWidget@@@Z
+?AdjustPopupsOnWindowChange@nsXULPopupManager@@QAEXPAVPresShell@mozilla@@@Z
+?AdjustPopupsOnWindowChange@nsXULPopupManager@@QAEXPAVnsPIDOMWindowOuter@@@Z
+?SetWindowClass@nsWindow@@UAEXABV?$nsTSubstring@_S@@@Z
+?GetAttr@nsMappedAttributes@@QBEPBVnsAttrValue@@ABV?$nsTSubstring@_S@@@Z
+?SetSmallIcon@nsWindow@@QAEXPAUHICON__@@@Z
+?GetInterface@WebBrowserChrome2Stub@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?RegisterTouchForDescendants@nsWindow@@KGHPAUHWND__@@J@Z
+?NotifyWindowMoved@nsBaseWidget@@QAEXHH@Z
+?GetTopWindowRoot@nsGlobalWindowOuter@@UAE?AU?$already_AddRefed@VnsPIWindowRoot@@@@XZ
+?Show@nsWindow@@UAEX_N@Z
+?ResizeViewport@DirectManipulationOwner@widget@mozilla@@QAEXABU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@3@@Z
+?GetScreen@nsGlobalWindowOuter@@QAEPAVnsScreen@@XZ
+?Initialize@PresShell@mozilla@@QAE?AW4nsresult@@XZ
+?MediaFeatureValuesChanged@MediaQueryList@dom@mozilla@@QAE_NXZ
+?ConstructRootFrame@nsCSSFrameConstructor@@QAEPAVnsIFrame@@XZ
+_ZN111_$LT$style..values..computed..image..LineDirection$u20$as$u20$style..values..generics..image..LineDirection$GT$16points_downwards17h17ec2e7de5d2e342E
+_ZN5style11stylesheets14keyframes_rule18KeyframesAnimation14from_keyframes17h1b88b4bd3131c4d0E
+?PrefersColorScheme@Document@dom@mozilla@@QBE?AW4StylePrefersColorScheme@3@W4IgnoreRFP@123@@Z
+Servo_AuthorStyles_Flush
+Servo_ComputedValues_GetForAnonymousBox
+_ZN5style7stylist7Stylist32rule_node_for_precomputed_pseudo17h4d799fe462acbd7bE
+_ZN5style9rule_tree4core14StrongRuleNode12ensure_child17hb405cfd1dbf93bc1E
+_ZN110_$LT$style..properties..declaration_block..DeclarationImportanceIterator$u20$as$u20$core..default..Default$GT$7default17h57a8efd43c317461E
+_ZN5style10properties7cascade19DeclarationIterator15update_for_node17h3e2d2c1942f77056E
+_ZN5style17custom_properties23CustomPropertiesBuilder3new17h958ef5c9e8c8d1a1E
+_ZN5style17custom_properties23CustomPropertiesBuilder5build17hc4868127195bb8c7E
+_ZN5style10properties12StyleBuilder3new17h6f4a0ccc0cdcfad8E
+_ZN5style10properties7cascade7Cascade3new17hd895cbb568de78e1E
+_ZN5style10properties7cascade7Cascade16fixup_font_stuff17hc9f61ed756e10f4fE
+_ZN5style10properties7cascade7Cascade20compute_writing_mode17h7e2051b09246c2f5E
+_ZN5style10properties7cascade7Cascade34try_to_use_cached_reset_properties17hfec51587fbcf687dE
+_ZN5style10properties7cascade7Cascade30substitute_variables_if_needed17h3865bf910854f0ccE
+_ZN5style10properties9longhands16background_color16cascade_property17hcd7dfced64661c98E
+_ZN5style10properties9longhands7display16cascade_property17he85170375e43137dE
+??0nsStyleDisplay@@QAE@ABU0@@Z
+_ZN5style10properties7cascade7Cascade28finished_applying_properties17hc59600a28503bb88E
+_ZN5style10properties12StyleBuilder7get_box17hd095f2abafdd2b1aE
+_ZN5style14style_adjuster13StyleAdjuster27adjust_for_fieldset_content17hd6cce0ab3a54772eE
+_ZN5style14style_adjuster13StyleAdjuster36adjust_for_text_control_editing_root17h4ce59d5266723559E
+_ZN5style14style_adjuster13StyleAdjuster20adjust_for_top_layer17hc5b2d0ca2f4d8cccE
+_ZN5style10properties12StyleBuilder11is_floating17h9fa2e85ec96baea8E
+_ZN5style10properties12StyleBuilder24is_absolutely_positioned17h270aaf5ce3c05b64E
+_ZN5style14style_adjuster13StyleAdjuster19adjust_for_position17h2ff5ef81f63e8739E
+_ZN5style14style_adjuster13StyleAdjuster19adjust_for_overflow17hc0648672d82b1e18E
+_ZN5style14style_adjuster13StyleAdjuster27adjust_for_table_text_align17h77837aa171ae0ed4E
+_ZN5style14style_adjuster13StyleAdjuster22adjust_for_mathvariant17h7accf3cd31e0a8d3E
+_ZN5style14style_adjuster13StyleAdjuster24adjust_for_justify_items17h758fb3d358db6d0cE
+_ZN5style10properties19adjust_border_width17hc8a5e09129c83168E
+_ZN5style14style_adjuster13StyleAdjuster18adjust_for_outline17hadee9b5f27226df6E
+_ZN5style14style_adjuster13StyleAdjuster23adjust_for_writing_mode17h1b8c7297ad416fb4E
+_ZN5style6values9specified4box_7Display12is_ruby_type17h2224e1e2a9df7317E
+_ZN5style14style_adjuster13StyleAdjuster16adjust_for_inert17hefd4c29f22d4fc17E
+_ZN5style14style_adjuster13StyleAdjuster8set_bits17h6c68b446efe0490aE
+_ZN5style10properties12StyleBuilder5build17h81dbf7575045b784E
+_ZN80_$LT$style..rule_tree..core..StrongRuleNode$u20$as$u20$core..ops..drop..Drop$GT$4drop17h3c4bf70775173738E
+?NS_NewViewportFrame@@YAPAVViewportFrame@mozilla@@PAVPresShell@2@PAVComputedStyle@2@@Z
+?Allocate@?$nsPresArena@$0CAAA@W4ArenaObjectID@mozilla@@$0KO@@@QAEPAXW4ArenaObjectID@mozilla@@I@Z
+?Init@ViewportFrame@mozilla@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?Init@nsIFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAV1@@Z
+?DidSetComputedStyle@nsIFrame@@MAEXPAVComputedStyle@mozilla@@@Z
+?TriggerImageLoads@nsStyleUI@@QAEXAAVDocument@dom@mozilla@@PBU1@@Z
+?TriggerImageLoads@nsStyleBackground@@QAEXAAVDocument@dom@mozilla@@PBU1@@Z
+?TriggerImageLoads@nsStyleContent@@QAEXAAVDocument@dom@mozilla@@PBU1@@Z
+?TriggerImageLoads@nsStyleBorder@@QAEXAAVDocument@dom@mozilla@@PBU1@@Z
+?TriggerImageLoads@nsStyleSVGReset@@QAEXAAVDocument@dom@mozilla@@PBU1@@Z
+?GetOffsets@nsIFrame@@UBE?AW4nsresult@@AAH0@Z
+?InitiateResourceDocLoads@SVGObserverUtils@mozilla@@SAXPAVnsIFrame@@@Z
+?GetCrossDocParentFrame@nsLayoutUtils@@SAPAVnsIFrame@@PBV2@PAUnsPoint@@@Z
+?SetView@nsIFrame@@QAEXPAVnsView@@@Z
+?SetViewInternal@ViewportFrame@mozilla@@MAEXPAVnsView@@@Z
+?SyncFrameViewProperties@nsIFrame@@QAEXPAVnsView@@@Z
+?SetViewZIndex@nsViewManager@@QAEXPAVnsView@@_NH@Z
+?SyncWindowProperties@nsContainerFrame@@SAXPAVnsPresContext@@PAVnsIFrame@@PAVnsView@@PAVgfxContext@@I@Z
+?MarkAsAbsoluteContainingBlock@nsIFrame@@QAEXXZ
+?ContentRangeInserted@nsCSSFrameConstructor@@QAEXPAVnsIContent@@0W4InsertionKind@1@@Z
+?StyleNewSubtree@ServoStyleSet@mozilla@@QAEXPAVElement@dom@2@@Z
+?SetAuthorStyleDisabled@ServoStyleSet@mozilla@@QAEX_N@Z
+?CalculateMappedServoDeclarations@nsHTMLStyleSheet@@QAEXXZ
+?LazilyResolveServoDeclaration@nsMappedAttributes@@QAEXPAVDocument@dom@mozilla@@@Z
+?MapAttributesIntoRule@HTMLDivElement@dom@mozilla@@CAXPBVnsMappedAttributes@@AAVMappedDeclarations@3@@Z
+?MapDivAlignAttributeInto@nsGenericHTMLElement@@SAXPBVnsMappedAttributes@@AAVMappedDeclarations@mozilla@@@Z
+Servo_DeclarationBlock_PropertyIsSet
+?MapCommonAttributesInto@nsGenericHTMLElement@@SAXPBVnsMappedAttributes@@AAVMappedDeclarations@mozilla@@@Z
+?MapCommonAttributesIntoExceptHidden@nsGenericHTMLElement@@SAXPBVnsMappedAttributes@@AAVMappedDeclarations@mozilla@@@Z
+Servo_DeclarationBlock_SetKeywordValue
+?SetIdentAtomValue@MappedDeclarations@mozilla@@QAEXW4nsCSSPropertyID@@PAVnsAtom@@@Z
+Servo_DeclarationBlock_SetIdentStringValue
+?s_InitEntry@?$nsTHashtable@V?$nsRefPtrHashKey@VnsAtom@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?NS_strncmp@@YAHPB_S0I@Z
+?MapAttributesIntoRule@HTMLBodyElement@dom@mozilla@@CAXPBVnsMappedAttributes@@AAVMappedDeclarations@3@@Z
+?MapBackgroundAttributesInto@nsGenericHTMLElement@@SAXPBVnsMappedAttributes@@AAVMappedDeclarations@mozilla@@@Z
+?ResolveScheduledSVGPresAttrs@Document@dom@mozilla@@QAEXXZ
+?DoCacheAllKnownLangPrefs@Document@dom@mozilla@@AAEXXZ
+??0AutoRestyleTimelineMarker@mozilla@@QAE@PAVnsIDocShell@@_N@Z
+Servo_TraverseSubtree
+_ZN10rayon_core17ThreadPoolBuilder3new17h378c7bb5c9102d96E
+_ZN10rayon_core8registry10ThreadInfo3new17h291b776f64892c04E
+_ZN10rayon_core5sleep5Sleep3new17h7d4ed8d230bc3119E
+_ZN88_$LT$rayon_core..registry..DefaultSpawn$u20$as$u20$rayon_core..registry..ThreadSpawn$GT$5spawn17he0f201ee81f058fbE
+_ZN5style17global_style_data15StyleThreadPool4pool17h60a6a6ed27c5ec0eE
+_ZN5style5bloom9BLOOM_KEY7__getit17h3778eed8b22f29deE
+_ZN5style7context17StackLimitChecker3new17h2f8bfffea65ea348E
+_ZN70_$LT$style..gecko..wrapper..GeckoNode$u20$as$u20$style..dom..TNode$GT$16traversal_parent17h8302df392b32f207E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$11ensure_data17h3c51290245190965E
+_ZN5style4data11ElementData12restyle_kind17h99ff33c20d43f2c1E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$18inheritance_parent17h0857596da0a764e9E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$15is_visited_link17hdf88ef9b82d04486E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$15style_attribute17h422d63ddc85d03caE
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$13smil_override17h7fc7a4e6b5d13d97E
+_ZN5style7stylist4Rule31to_applicable_declaration_block17hbe418bb812f53f7eE
+Gecko_GetHTMLPresentationAttrDeclarationBlock
+Gecko_GetExtraContentStyleDeclarations
+Gecko_GetXMLLangValue
+_ZN80_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$selectors..tree..Element$GT$12attr_matches17h9e31ad505b1eb2caE
+Gecko_HasAttr
+Gecko_AttrIncludes
+Gecko_AttrEquals
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$27unset_dirty_style_attribute17ha0dd917c9a1b5371E
+Gecko_UnsetDirtyStyleAttr
+_ZN5style9rule_tree50_$LT$impl$u20$style..rule_tree..core..RuleTree$GT$17compute_rule_node17h094813bd17a5c4f7E
+_ZN5style17custom_properties23CustomPropertiesBuilder7cascade17h4a7e861dcbf48e49E
+_ZN9cssparser10serializer22TokenSerializationType27needs_separator_when_before17h4fb08eac1978e4b7E
+_ZN10rayon_core8registry19WORKER_THREAD_STATE7__getit17hc85112688d117962E
+_ZN5style10properties9longhands11font_family16cascade_property17hbe61d318727f387eE
+_ZN5style10properties9longhands12_x_text_zoom16cascade_property17h6b877ed8ee0469c7E
+Gecko_nsFont_InitSystem
+?ComputeSystemFont@nsLayoutUtils@@SAXPAUnsFont@@W4FontID@LookAndFeel@mozilla@@PBU2@PBVDocument@dom@5@@Z
+?GetFont@LookAndFeel@mozilla@@SA_NW4FontID@12@AAV?$nsTString@_S@@AAUgfxFontStyle@@@Z
+?NativeGetFloat@nsLookAndFeel@@UAE?AW4nsresult@@W4FloatID@LookAndFeel@mozilla@@AAM@Z
+_ZN5style14gecko_bindings5sugar12origin_flags153_$LT$impl$u20$core..convert..From$LT$style..gecko_bindings..structs..root..mozilla..OriginFlags$GT$$u20$for$u20$style..stylesheets..origin..OriginSet$GT$4from17h6939943db5c801c8E
+?SystemScaleFactor@WinUtils@widget@mozilla@@SANXZ
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UgfxFontFeature@@@?$nsTArray_Impl@UgfxFontFeature@@UnsTArrayInfallibleAllocator@@@@AAEXPBUgfxFontFeature@@I@Z
+?CopyFrom@?$StyleOwnedSlice@UStyleVariantAlternates@mozilla@@@mozilla@@QAEXABU12@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UFontVariation@gfx@mozilla@@@?$nsTArray_Impl@UFontVariation@gfx@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBUFontVariation@gfx@mozilla@@I@Z
+?ShouldAvoidNativeTheme@Document@dom@mozilla@@QBE_NXZ
+Gecko_FontWeight_ToFloat
+Gecko_FontStretch_ToFloat
+Gecko_FontSlantStyle_Get
+??0nsStyleFont@@QAE@ABU0@@Z
+_ZN5style10properties9longhands9font_size16cascade_property17hc9fc63048d410c74E
+_ZN5style10properties9longhands12font_stretch16cascade_property17hb8aa877b98771c18E
+_ZN5style10properties9longhands11font_weight16cascade_property17h713697577411527cE
+_ZN5style10properties9longhands7_x_lang16cascade_property17h32ad097577e1fed9E
+Gecko_nsStyleFont_SetLang
+_ZN5style10properties9longhands9direction16cascade_property17h2b7b66ffd1042ad0E
+Gecko_nsStyleFont_ComputeMinSize
+_ZN5style10properties9longhands16border_top_color16cascade_property17h812c59684c83d336E
+??0nsStyleBorder@@QAE@ABU0@@Z
+??0?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QAE@ABU01@@Z
+_ZN5style10properties9longhands5color16cascade_property17h6c3b9c47eed29f93E
+??0nsStyleText@@QAE@ABU0@@Z
+_ZN5style10properties57_$LT$impl$u20$style..gecko_properties..ComputedValues$GT$13visited_rules17h631421d9fb194898E
+?Clone@?$nsStyleAutoArray@ULayer@nsStyleImageLayers@@@@QBE?AV1@XZ
+_ZN5style10properties9longhands16border_top_width16cascade_property17hec95c9f855bfb9dcE
+_ZN5style10properties9longhands16border_top_style16cascade_property17hebf7cdcac8a5d7daE
+_ZN5style10properties9longhands9min_width16cascade_property17hec4871ecba5bd7e4E
+_ZN99_$LT$style..values..computed..length_percentage..LengthPercentage$u20$as$u20$core..clone..Clone$GT$5clone17h34458d49bd2665b4E
+??0nsStylePosition@@QAE@ABU0@@Z
+_ZN5style10properties9longhands10min_height16cascade_property17h2b2d5a11c4e36ec8E
+_ZN5style10properties9longhands14text_rendering16cascade_property17hc61b2fb8644262cdE
+_ZN5style10properties9longhands10overflow_y16cascade_property17he76e98aa453229c5E
+_ZN5style10properties9longhands10overflow_x16cascade_property17h34b480da4bc47cd5E
+_ZN5style10properties9longhands5width16cascade_property17h8b049696dad3413aE
+_ZN5style10properties9longhands6height16cascade_property17hd79af16a563cfa47E
+_ZN5style10properties9longhands12padding_left16cascade_property17hcaebd3fadfdd604eE
+??0nsStylePadding@@QAE@ABU0@@Z
+_ZN5style10properties9longhands14padding_bottom16cascade_property17h1c09163ffd2fcac4E
+_ZN5style10properties9longhands13padding_right16cascade_property17h0a6c9612dc53bef0E
+_ZN5style10properties9longhands11padding_top16cascade_property17hdb0cc9fed1ddb5fdE
+_ZN5style10properties9longhands11margin_left16cascade_property17ha44e0e21d1452109E
+??0nsStyleMargin@@QAE@ABU0@@Z
+_ZN5style10properties9longhands13margin_bottom16cascade_property17h144fdb7cc8144eb5E
+_ZN5style10properties9longhands12margin_right16cascade_property17he34eed48523130daE
+_ZN5style10properties9longhands10margin_top16cascade_property17h8aa1f62f3892b2a7E
+_ZN5style10properties9longhands23font_variation_settings16cascade_property17h8fa1e89ce5ef9de6E
+_ZN93_$LT$style..values..specified..font..FontLanguageOverride$u20$as$u20$style..parser..Parse$GT$5parse17h24ddc345a7ca28bbE
+_ZN5style10properties9longhands21font_feature_settings16cascade_property17h368e73d1c8df1bbfE
+_ZN5style10properties9longhands22font_language_override16cascade_property17hc979dc41766bac6bE
+_ZN5style10properties9longhands21font_variant_position16cascade_property17h40b0dc4af00d766fE
+_ZN5style10properties9longhands20font_variant_numeric16cascade_property17h746af3f1e3d9c08eE
+_ZN5style10properties9longhands22font_variant_ligatures16cascade_property17h1c8d7d2eb894093aE
+_ZN5style10properties9longhands23font_variant_east_asian16cascade_property17h408e5c0cb7418d38E
+_ZN5style10properties9longhands23font_variant_alternates16cascade_property17hdbb9455797aaffa7E
+_ZN5style10properties9longhands19font_optical_sizing16cascade_property17h98ed0f78e1e2a89dE
+_ZN5style10properties9longhands12font_kerning16cascade_property17hd26b4ba782ad7856E
+_ZN5style10properties9longhands16font_size_adjust16cascade_property17h70d19675a03ab43cE
+_ZN5style10properties9longhands11line_height16cascade_property17hd2fa2521267f3b8eE
+_ZN5style10properties9longhands12unicode_bidi16cascade_property17h33d15bb89f57f138E
+??0nsStyleTextReset@@QAE@ABU0@@Z
+?FillAllLayers@nsStyleImageLayers@@QAEXI@Z
+_ZN5style6values9specified4box_7Display24equivalent_block_display17h39d6616b7f683460E
+_ZN5style10rule_cache9RuleCache18insert_if_possible17h61434610a11548e3E
+_ZN5style14style_resolver30layout_parent_style_for_pseudo17he7670002e1ae7c78E
+_ZN5style10properties77_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoDisplay$GT$20specifies_animations17hb51f222c34d7fdb6E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$18has_css_animations17h47e56ce7ba05c311E
+_ZN5style4data11ElementData10set_styles17h4d3bf6a92e893266E
+_ZN5style16gecko_properties74_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoFont$GT$15clone_font_size17h1515bedfa3f85f4dE
+_ZN5style12invalidation7element13restyle_hints11RestyleHint9propagate17h47a8825b39b83259E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$18traversal_children17h7838ac0dc9d32128E
+_ZN103_$LT$style..gecko..wrapper..GeckoChildrenIterator$u20$as$u20$core..iter..traits..iterator..Iterator$GT$4next17hd1b18a5e0032b10aE
+_ZN5style16gecko_properties77_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoDisplay$GT$21specifies_transitions17hdf545eb9186d22b2E
+_ZN5style10properties9longhands13_moz_box_flex16cascade_property17hd20af7e643a39911E
+??0nsStyleXUL@@QAE@ABU0@@Z
+_ZN5style10properties9longhands15_moz_box_orient16cascade_property17h5f5fc6711b2af497E
+_ZN5style10properties9longhands10box_sizing16cascade_property17h0354276bf813be04E
+_ZN5style10properties9longhands11user_select16cascade_property17ha229ae1fb9c0abe1E
+??0nsStyleUIReset@@QAE@ABU0@@Z
+_ZN5style10properties9longhands15_moz_user_focus16cascade_property17hb2fbe9aceb7bf8ebE
+??0nsStyleUI@@QAE@ABU0@@Z
+_ZN10rayon_core8registry12WorkerThread5steal17h1970c79bb2ce039eE
+_ZN98_$LT$style..stylist..DocumentCascadeDataIter$u20$as$u20$core..iter..traits..iterator..Iterator$GT$4next17h0604ce772b9cb785E
+_ZN15crossbeam_epoch7default6HANDLE7__getit17h3241d8ad80fb074dE
+_ZN69_$LT$webrender_api..PropertyBindingId$u20$as$u20$core..fmt..Debug$GT$3fmt17h589f3eed0a010a5dE
+_ZN15crossbeam_epoch5guard5Guard5flush17hf0924450f58773e1E
+_ZN15crossbeam_epoch8internal6Global7collect17h8f88833f3bf5847fE
+_ZN65_$LT$smallbitvec..SmallBitVec$u20$as$u20$core..cmp..PartialEq$GT$2eq17hcf65d10193026cf9E
+_ZN5style4data11ElementData12share_styles17hb42e747642916d25E
+_ZN10rayon_core5sleep5Sleep5sleep17h55e1fe0d461be1b1E
+_ZN5style10properties9longhands14pointer_events16cascade_property17h9509fe3ce8fda391E
+_ZN5style10properties9longhands3top16cascade_property17h78674c9c8ce417b6E
+_ZN5style10properties9longhands8position16cascade_property17hd24342b4a5b7517eE
+Gecko_GetLookAndFeelSystemColor
+?GetColor@LookAndFeel@mozilla@@SA?AW4nsresult@@W4StyleSystemColor@2@_NPAI@Z
+_ZN5style10properties9longhands5right16cascade_property17hf39686fe362fcef8E
+_ZN5style10properties9longhands4left16cascade_property17hdca8f9b26d7cdbcdE
+_ZN10rayon_core8registry8Registry14in_worker_cold10LOCK_LATCH7__getit17h28b948d30c6e6874E
+_ZN10rayon_core8registry8Registry6inject17h82453824972282daE
+_ZN10rayon_core5latch9LockLatch14wait_and_reset17h34b8df6edfd1fee2E
+_ZN10rayon_core5scope9ScopeFifo3new17h7e5c9ee15318fc9dE
+_ZN10rayon_core8registry8Registry14current_thread17h110ea432449ece10E
+_ZN65_$LT$rayon_core..job..JobFifo$u20$as$u20$rayon_core..job..Job$GT$7execute17hd0bd4bdfeb28890eE
+_ZN10rayon_core5scope9ScopeBase24steal_till_jobs_complete17h3c46b67b73ff5279E
+_ZN9selectors6parser14AncestorHashes11fourth_hash17hcba0a7f738e5b944E
+_ZN5style10properties9longhands17margin_inline_end16cascade_property17he3476c831eb51d18E
+_ZN5style10properties9longhands19margin_inline_start16cascade_property17h501242678d9c8dd1E
+_ZN5style10properties9longhands18border_image_width16cascade_property17hc1822cb5bf219089E
+_ZN5style10properties9longhands19border_image_source16cascade_property17hcf6f31873af8f89dE
+_ZN5style10properties9longhands18border_image_slice16cascade_property17h443ae159e8a9deb8E
+_ZN5style10properties9longhands19border_image_outset16cascade_property17h8a71ec9058caab85E
+_ZN5style10properties9longhands17border_left_width16cascade_property17h6e2fa47b3d53a2bcE
+_ZN5style10properties9longhands17border_left_style16cascade_property17h498e9c85f744b127E
+_ZN5style10properties9longhands17border_left_color16cascade_property17h4d51f604f45e703cE
+_ZN5style10properties9longhands19border_bottom_width16cascade_property17hcf7ff993575b7f38E
+_ZN5style10properties9longhands19border_bottom_style16cascade_property17hf6e7a2d9479f78dcE
+_ZN5style10properties9longhands19border_bottom_color16cascade_property17h6371cfc066444e19E
+_ZN5style10properties9longhands18border_right_width16cascade_property17h9e77a2ce4ba00797E
+_ZN5style10properties9longhands18border_right_style16cascade_property17h4ce6c9f14b818a73E
+_ZN5style10properties9longhands18border_right_color16cascade_property17hdd8f0705a5a970b7E
+Gecko_EnsureImageLayersLength
+_ZN5style10properties9longhands17background_origin16cascade_property17h8dfa3bdc9e284096E
+_ZN5style10properties9longhands15background_size16cascade_property17h3154a6094a57ad78E
+_ZN5style10properties9longhands16background_image16cascade_property17hbf1ce6f931ec67a8E
+_ZN5style10properties9longhands21background_position_y16cascade_property17hb05321a1f65b7614E
+_ZN5style10properties9longhands21background_position_x16cascade_property17hcbf7fe1b71f64530E
+_ZN5style10properties9longhands10appearance16cascade_property17h89787ecddbaa365aE
+_ZN5style4data11ElementData19share_primary_style17haaf20747317a36b4E
+_ZN5style10properties9longhands23_moz_default_appearance16cascade_property17h21f166789bb6311fE
+_ZN5style10properties9longhands11text_shadow16cascade_property17h6a40a69b8f0413d8E
+_ZN132_$LT$style..properties..longhands..text_shadow..computed_value..ComputedList$u20$as$u20$style..values..resolved..ToResolvedValue$GT$17to_resolved_value17h8628dd7675bc7d15E
+Gecko_ConstructStyleChildrenIterator
+?GetNextChild@AllChildrenIterator@dom@mozilla@@QAEPAVnsIContent@@XZ
+?AppendNativeAnonymousChildren@nsContentUtils@@SAXPBVnsIContent@@AAV?$nsTArray@PAVnsIContent@@@@I@Z
+Gecko_DestroyStyleChildrenIterator
+_ZN5style10properties9longhands25border_bottom_left_radius16cascade_property17hc817fb471bb435d7E
+_ZN5style10properties9longhands26border_bottom_right_radius16cascade_property17hb1a050d6d497920fE
+_ZN5style10properties9longhands23border_top_right_radius16cascade_property17h261e4e803930299aE
+_ZN5style10properties9longhands22border_top_left_radius16cascade_property17hb0bdf53fd0426d0cE
+_ZN5style10properties9longhands10box_shadow16cascade_property17h918067db2146e137E
+_ZN5style10properties9longhands7opacity16cascade_property17hf6d48c100d3bcadbE
+??0nsStyleEffects@@QAE@ABU0@@Z
+_ZN5style10properties9longhands11align_items16cascade_property17h29ea665a32016590E
+_ZN5style10properties9longhands9max_width16cascade_property17h18072da0d849ba0fE
+_ZN5style10properties9longhands9transform16cascade_property17ha87c36686e5571aeE
+_ZN5style10properties9longhands16transition_delay16cascade_property17hefdfec7b30662001E
+Gecko_EnsureStyleTransitionArrayLength
+_ZN5style10properties9longhands26transition_timing_function16cascade_property17he57a294f0781ca6fE
+_ZN5style6values8computed9transform301_$LT$impl$u20$style..values..animated..ToAnimatedZero$u20$for$u20$style..values..generics..transform..GenericTransformOperation$LT$style..values..computed..angle..Angle$C$f32$C$style..values..computed..length..CSSPixelLength$C$i32$C$style..values..computed..length_percentage..LengthPercentage$GT$$GT$16to_animated_zero17h3a5743df18621393E
+_ZN5style10properties9longhands19transition_duration16cascade_property17h4e79cb43c955d4edE
+_ZN5style10properties9longhands19transition_property16cascade_property17h6f5b5e934f66c763E
+_ZN5style10properties9longhands10visibility16cascade_property17h318738da0fa954c4E
+_ZN5style14style_resolver40eager_pseudo_is_definitely_not_generated17h233f527d78379334E
+_ZN5style10properties9longhands11white_space16cascade_property17h2f0d576d9ddfbb6fE
+_ZN11parking_lot10raw_rwlock9RawRwLock20lock_upgradable_slow17hedf45fad2e2583c2E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$18has_selector_flags17h7c2651b34546a5b6E
+_ZN5style10properties9longhands23border_inline_end_width16cascade_property17hb59c8719c70883bdE
+_ZN5style10properties9longhands20_moz_window_dragging16cascade_property17hf524d8a33be2cd76E
+_ZN5style10properties9longhands6cursor16cascade_property17hfa204037d8000d72E
+_ZN5style10properties9longhands13_moz_box_pack16cascade_property17h5065531c5a001dbbE
+_ZN5style10properties9longhands14_moz_box_align16cascade_property17h9d8344cc57291d96E
+_ZN9selectors15nth_index_cache13NthIndexCache3get17h429538aeef337778E
+_ZN9selectors15nth_index_cache18NthIndexCacheInner6lookup17h8691556d4902a029E
+_ZN9selectors15nth_index_cache18NthIndexCacheInner6insert17hfce010fdfd14a34cE
+_ZN5style10properties9longhands10max_height16cascade_property17h1fce185c0e6042b7E
+_ZN5style10properties9longhands16list_style_image16cascade_property17h426b91cb3e50369fE
+??0nsStyleList@@QAE@ABU0@@Z
+_ZN5style10properties9longhands12fill_opacity16cascade_property17h7ab1e8912a1c8068E
+??0nsStyleSVG@@QAE@ABU0@@Z
+_ZN5style10properties9longhands4fill16cascade_property17h87406ac85bfd0a4dE
+_ZN5style10properties9longhands23_moz_context_properties16cascade_property17h329c79196f0524b1E
+_ZN5style10properties9longhands23border_inline_end_style16cascade_property17hab1a5e8d35628ae3E
+_ZN5style10properties9longhands23border_inline_end_color16cascade_property17h60e2d216a924d73eE
+_ZN5style10properties9longhands25border_inline_start_width16cascade_property17h5bc8ec1437b611e9E
+_ZN5style10properties9longhands25border_inline_start_style16cascade_property17h9c485a96b0f6cd4fE
+_ZN5style10properties9longhands25border_inline_start_color16cascade_property17h7e82ba320cf603faE
+_ZN5style10properties9longhands20padding_inline_start16cascade_property17hf1e2155fca807442E
+_ZN5style10properties9longhands18padding_inline_end16cascade_property17h49a86f08dd222f77E
+_ZN5style10properties9longhands17padding_block_end16cascade_property17h29b0a9b45ec5c6d5E
+_ZN5style10properties9longhands19padding_block_start16cascade_property17hf4735a8dcfdb4e62E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$18set_selector_flags17h8c95ca512b0afc17E
+_ZN80_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$selectors..tree..Element$GT$8is_empty17h5088708265e01991E
+?ThreadSafeIsSignificantChild@nsStyleUtil@@SA_NPBVnsIContent@@_N@Z
+_ZN5style10properties9longhands17_moz_image_region16cascade_property17h5178f26c9bbb086aE
+_ZN5style10properties9longhands6stroke16cascade_property17h4f43f0b0e35cc4c1E
+_ZN5style10properties9longhands6bottom16cascade_property17hdd0cf6c4fae9701cE
+_ZN5style10properties9longhands18animation_duration16cascade_property17hb2b798b44f93f8b4E
+Gecko_EnsureStyleAnimationArrayLength
+_ZN5style10properties9longhands25animation_timing_function16cascade_property17h82d9b47d112e227eE
+_ZN5style10properties9longhands19animation_fill_mode16cascade_property17hf17693060f46baa7E
+_ZN5style10properties9longhands13outline_width16cascade_property17h50c002e3539ec2efE
+??0nsStyleOutline@@QAE@ABU0@@Z
+_ZN5style10properties9longhands13outline_style16cascade_property17hd7f167dd97c48a5dE
+_ZN5style10properties9longhands13outline_color16cascade_property17h1ee09d9b73a916beE
+_ZN5style10properties9longhands30_moz_outline_radius_bottomleft16cascade_property17hf8fbd6dc217093bdE
+_ZN5style10properties9longhands31_moz_outline_radius_bottomright16cascade_property17hf6476f34babb5a5dE
+_ZN5style10properties9longhands28_moz_outline_radius_topright16cascade_property17h989580e7d7fcacbaE
+_ZN5style10properties9longhands27_moz_outline_radius_topleft16cascade_property17h31a14dd6472481e8E
+Gecko_GetFlattenedTreeParentNode
+Gecko_GetUnvisitedLinkAttrDeclarationBlock
+Gecko_GetVisitedLinkAttrDeclarationBlock
+_ZN5style10properties9longhands16_moz_user_modify16cascade_property17hff9d06ce4f07510eE
+_ZN5style10properties9longhands14letter_spacing16cascade_property17h3f9ac30df5f0b350E
+_ZN5style10properties9longhands12word_spacing16cascade_property17h96f047471fa977b2E
+_ZN5style10properties9longhands14text_transform16cascade_property17hef8fe3aeea8bf543E
+_ZN5style10properties9longhands11text_indent16cascade_property17h2199f43bc60c9c57E
+_ZN5style10properties9longhands10text_align16cascade_property17hfd1ceec5ea839f96E
+_ZN5style10properties9longhands24overflow_clip_box_inline16cascade_property17h3d8e0cef19656faaE
+_ZN5style10properties9longhands23overflow_clip_box_block16cascade_property17h2c7d52a942c70859E
+_ZN5style10properties9longhands15scroll_behavior16cascade_property17hbbd7473edefd8029E
+_ZN5style10properties9longhands11mask_repeat16cascade_property17h156b72d6b50dc8a8E
+_ZN5style10properties12StyleBuilder20reset_padding_struct17hb3ff7086290bb772E
+??0nsStyleSVGReset@@QAE@ABU0@@Z
+?SetInitialValues@StyleTransition@mozilla@@QAEXXZ
+_ZN5style10properties9longhands16margin_block_end16cascade_property17h279d2402a68628d0E
+_ZN5style10properties9longhands18margin_block_start16cascade_property17hc806e0a22e37c131E
+_ZN5style10properties9longhands7content16cascade_property17h20ea541ca131bf76E
+??0nsStyleContent@@QAE@ABU0@@Z
+_ZN5style4data17EagerPseudoStyles3set17h406f57caa99c9184E
+_ZN5style16gecko_properties78_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoPosition$GT$12clone_height17h1851b37d11045e80E
+_ZN5style10properties9longhands15grid_column_end16cascade_property17h3ec06edd2d8c865dE
+_ZN5style10properties9longhands17grid_column_start16cascade_property17hb33e24111832e328E
+_ZN5style10properties9longhands12grid_row_end16cascade_property17h094d8507f97426a3E
+_ZN5style10properties9longhands14grid_row_start16cascade_property17ha49264d58b4ad4d8E
+_ZN5style10properties9longhands15animation_delay16cascade_property17h98d6bb89d413eb1fE
+_ZN5style10properties9longhands14animation_name16cascade_property17h4468d443199b9425E
+Gecko_SetAnimationName
+_ZN5style10properties9longhands14stroke_opacity16cascade_property17hc47e5e9dd7ed81b8E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$17update_animations17h6f06db77511275d4E
+Gecko_UpdateAnimations
+?GetContextForContent@nsContentUtils@@SAPAVnsPresContext@@PBVnsIContent@@@Z
+?UpdateAnimations@nsAnimationManager@@QAEXPAVElement@dom@mozilla@@W4PseudoStyleType@4@PBVComputedStyle@4@@Z
+?StopAnimationsForElement@?$CommonAnimationManager@VCSSAnimation@dom@mozilla@@@mozilla@@QAEXPAVElement@dom@2@W4PseudoStyleType@2@@Z
+?GetAnimationCollection@?$AnimationCollection@VCSSAnimation@dom@mozilla@@@mozilla@@SAPAV12@PBVElement@dom@2@W4PseudoStyleType@2@@Z
+?Done@nsAutoAnimationMutationBatch@@QAEXXZ
+?PreTraverseInSubtree@EffectCompositor@mozilla@@QAE_NW4ServoTraversalFlags@2@PAVElement@dom@2@@Z
+??1AutoRestyleTimelineMarker@mozilla@@QAE@XZ
+Servo_Element_GetMaybeOutOfDateStyle
+??0ScrollStyles@mozilla@@QAE@ABUnsStyleDisplay@@W4MapOverflowToValidScrollStyleTag@01@@Z
+?GetFullscreenElement@DocumentOrShadowRoot@dom@mozilla@@QAEPAVElement@23@XZ
+?NS_NewCanvasFrame@@YAPAVnsCanvasFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?GetPopupContainer@nsIPopupContainer@@SAPAV1@PAVPresShell@mozilla@@@Z
+?GetChildList@nsContainerFrame@@UBEABVnsFrameList@@W4FrameChildListID@layout@mozilla@@@Z
+?Insert@CachedInheritingStyles@mozilla@@QAEXPAVComputedStyle@2@@Z
+?Init@nsContainerFrame@@UAEXPAVnsIContent@@PAV1@PAVnsIFrame@@@Z
+?IsFrameOfType@nsIFrame@@UBE_NI@Z
+?SetInitialChildList@nsContainerFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?NS_HSV2RGB@@YAXAAIGGGE@Z
+?CaptureHistoryState@PresShell@mozilla@@QAE?AW4nsresult@@PAPAVnsILayoutHistoryState@@@Z
+?NS_NewLayoutHistoryState@@YA?AU?$already_AddRefed@VnsILayoutHistoryState@@@@XZ
+?CaptureFrameState@nsFrameManager@@QAEXPAVnsIFrame@@PAVnsILayoutHistoryState@@@Z
+?QueryFrame@ViewportFrame@mozilla@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?GetChildLists@nsContainerFrame@@UBEXPAV?$nsTArray@VFrameChildList@layout@mozilla@@@@@Z
+?QueryFrame@nsCanvasFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?PrintDisplayItem@nsIFrame@@SAXPAVnsDisplayListBuilder@@PAVnsDisplayItem@@AAV?$basic_stringstream@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@I_N3@Z
+?GetAbsoluteContainingBlock@nsCSSFrameConstructor@@QAEPAVnsContainerFrame@@PAVnsIFrame@@W4ContainingBlockType@1@@Z
+?IsFrameOfType@nsCanvasFrame@@UBE_NI@Z
+?GetHtmlChildElement@Document@dom@mozilla@@QAEPAVElement@23@PAVnsAtom@@@Z
+?NS_NewBlockFrame@@YAPAVnsBlockFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?IsAbsPosContainingBlock@nsStyleDisplay@@QBE_NPBVnsIFrame@@@Z
+?Init@nsBlockFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?ShowCustomContentContainer@nsCanvasFrame@@QAEXXZ
+?GetAccessibleCaretEventHub@PresShell@mozilla@@QBE?AU?$already_AddRefed@VAccessibleCaretEventHub@mozilla@@@@XZ
+?CreateHTMLElement@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@PAVnsAtom@@@Z
+?NotifyNativeAnonymousChildListChange@MutationObservers@dom@mozilla@@SAXPAVnsIContent@@_N@Z
+Gecko_GetImplementedPseudo
+_ZN5style10properties9longhands14_moz_top_layer16cascade_property17h7a5f41d8317803ecE
+?NS_NewPopupSetFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+??0nsBoxFrame@@IAE@PAVComputedStyle@mozilla@@PAVnsPresContext@@W4ClassID@nsQueryFrame@@_NPAVnsBoxLayout@@@Z
+?Init@nsBoxFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?DidSetComputedStyle@nsBoxFrame@@UAEXPAVComputedStyle@mozilla@@@Z
+?MarkIntrinsicISizesDirty@nsIFrame@@UAEXXZ
+?SetMaxPoolSize@TextureClientRecycleAllocator@layers@mozilla@@QAEXI@Z
+?QueryFrame@nsContainerFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?CorrectStyleParentFrame@nsIFrame@@SAPAV1@PAV1@W4PseudoStyleType@mozilla@@@Z
+Servo_ResolvePseudoStyle
+Servo_ComputedValues_ResolveXULTreePseudoStyle
+_ZN5style5gecko14pseudo_element13PseudoElement12cascade_type17h186a20851b56c034E
+_ZN5style4data17EagerPseudoStyles3get17h9cb7a808fe28eb63E
+?GetNextChild@ExplicitChildIterator@dom@mozilla@@QAEPAVnsIContent@@XZ
+?RemoveFrame@nsPopupSetFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?TransferActivityToFrame@ActiveLayerTracker@mozilla@@SAXPAVnsIContent@@PAVnsIFrame@@@Z
+?GetPropertyInternal@nsPropertyTable@@AAEPAXVnsPropertyOwner@@PBVnsAtom@@_NPAW4nsresult@@@Z
+?NS_NewMenuPopupFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?GetWidget@nsMenuPopupFrame@@QAEPAVnsIWidget@@XZ
+?IsFrameOfType@nsBoxFrame@@UBE_NI@Z
+?InsertChild@nsViewManager@@QAEXPAVnsView@@00_N@Z
+?SetViewInternal@nsMenuPopupFrame@@MAEXPAVnsView@@@Z
+?GetViewInternal@nsMenuPopupFrame@@MBEPAVnsView@@XZ
+?ResolveStyleForPlaceholder@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@XZ
+?NS_NewPlaceholderFrame@@YAPAVnsPlaceholderFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@W4nsFrameState@@@Z
+?SetInitialChildList@nsBoxFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?GenerateChildFrames@nsCSSFrameConstructor@@QAEXPAVnsContainerFrame@@@Z
+?ResolveStyleForText@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@PAVnsIContent@@PAVComputedStyle@2@@Z
+_ZN5style14style_adjuster13StyleAdjuster15adjust_for_text17h9ca7dafc68a97843E
+?IsFrameOfType@nsBlockFrame@@UBE_NI@Z
+?GetPreviousSibling@nsINode@@QBEPAVnsIContent@@XZ
+?NS_NewBoxFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?TextIsOnlyWhitespace@CharacterData@dom@mozilla@@UAE_NXZ
+??$ApplyIf@PBUFramePropertyDescriptorUntyped@mozilla@@VPropertyComparator@FrameProperties@2@V<lambda_1>@?0??SetInternal@42@AAEXPBU12@PAXPBVnsIFrame@@@Z@V<lambda_2>@?0??642@AAEX012@Z@@?$nsTArray_Impl@UPropertyValue@FrameProperties@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE?A?<auto>@@ABQBUFramePropertyDescriptorUntyped@mozilla@@IABVPropertyComparator@FrameProperties@3@$$QAV<lambda_1>@?0??SetInternal@53@AAEXPBU23@PAXPBVnsIFrame@@@Z@$$QAV<lambda_2>@?0??753@AAEX234@Z@@Z
+?GetChildLists@nsBlockFrame@@UBEXPAV?$nsTArray@VFrameChildList@layout@mozilla@@@@@Z
+?NS_NewXULLabelFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+Servo_AnimationValue_AddRef
+?HandleEvent@nsTitleBarFrame@@UAE?AW4nsresult@@PAVnsPresContext@@PAVWidgetGUIEvent@mozilla@@PAW4nsEventStatus@@@Z
+?QueryFrame@nsBlockFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?SetInitialChildList@nsBlockFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?NS_NewXULScrollFrame@@YAPAVnsXULScrollFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@_N2@Z
+??0nsHTMLScrollFrame@@IAE@PAVComputedStyle@mozilla@@PAVnsPresContext@@W4ClassID@nsQueryFrame@@_N@Z
+??0ScrollAnchorContainer@layout@mozilla@@QAE@PAVScrollFrameHelper@2@@Z
+?NewScrollframe@ScrollPositionUpdate@mozilla@@SA?AV12@UnsPoint@@@Z
+?GetScrollStyles@nsHTMLScrollFrame@@UBE?AUScrollStyles@mozilla@@XZ
+?IsFrameOfType@nsMenuBarFrame@@UBE_NI@Z
+?GenerateStateKey@nsIStatefulFrame@@UAEXPAVnsIContent@@PAVDocument@dom@mozilla@@AAV?$nsTSubstring@D@@@Z
+?CreateAnonymousContent@nsHTMLScrollFrame@@UAE?AW4nsresult@@AAV?$nsTArray@UContentInfo@nsIAnonymousContentCreator@@@@@Z
+?CreateAnonymousContent@ScrollFrameHelper@mozilla@@QAE?AW4nsresult@@AAV?$nsTArray@UContentInfo@nsIAnonymousContentCreator@@@@@Z
+_ZN5style10properties9longhands13justify_items16cascade_property17h14f0cc725e5cf1e0E
+_ZN5style10properties9longhands15justify_content16cascade_property17h2921371fe1890270E
+_ZN5style10properties9longhands13align_content16cascade_property17hf27f0236f3456f16E
+_ZN5style10properties9longhands18grid_template_rows16cascade_property17hb673f2eccb6bbd48E
+_ZN5style10properties9longhands21grid_template_columns16cascade_property17ha8fff0c7c79c5a08E
+_ZN5style10properties9longhands19grid_template_areas16cascade_property17hf5d537686b0e4a6aE
+_ZN5style10properties9longhands7row_gap16cascade_property17h015bbf0e74c86fa9E
+_ZN5style10properties9longhands10column_gap16cascade_property17hc8f1e8bbde5852b5E
+_ZN5style10properties9longhands14grid_auto_flow16cascade_property17h6ab81db152a5e285E
+_ZN5style10properties9longhands14grid_auto_rows16cascade_property17h6adce657330517e8E
+_ZN5style10properties9longhands17grid_auto_columns16cascade_property17h75232796792002f0E
+_ZN5style10properties9longhands18_webkit_line_clamp16cascade_property17h776b8816987aa714E
+_ZN5style10properties9longhands18_moz_box_direction16cascade_property17ha057b546ac605959E
+_ZN5style10properties9longhands9flex_wrap16cascade_property17hdcea535f91b0132cE
+_ZN5style10properties9longhands11column_fill16cascade_property17h218b07495c52cb6bE
+_ZN5style10properties9longhands17column_rule_color16cascade_property17h9ae9ea6e1cb413f2E
+_ZN5style10properties9longhands17column_rule_style16cascade_property17h3e4bf73584752579E
+_ZN5style10properties9longhands17column_rule_width16cascade_property17h5effc2b25a75a684E
+_ZN5style10properties9longhands12column_width16cascade_property17h4deca595edd47cadE
+_ZN5style10properties9longhands12column_count16cascade_property17h380012b373e11a7eE
+_ZN5style10properties9longhands13text_overflow16cascade_property17h36486d0b781ea080E
+?SetInitialChildList@nsXULScrollFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?ReloadChildFrames@ScrollFrameHelper@mozilla@@QAEXXZ
+?AppendFrames@nsXULScrollFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?AppendFrames@nsBoxFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?InsertFrames@nsFrameList@@QAE?AVSlice@1@PAVnsContainerFrame@@PAVnsIFrame@@AAV1@@Z
+?SetParent@nsIFrame@@QAEXPAVnsContainerFrame@@@Z
+?RemoveInPopupStateBitFromDescendants@nsIFrame@@SAXPAV1@@Z
+?InvalidateDirectRenderingObservers@SVGObserverUtils@mozilla@@SAXPAVnsIFrame@@I@Z
+?MarkNeedsDisplayItemRebuild@nsIFrame@@QAEXXZ
+?ScheduleViewManagerFlush@PresShell@mozilla@@QAEXW4PaintType@2@@Z
+?ScheduleViewManagerFlush@nsRefreshDriver@@QAEXXZ
+?NS_NewMenuBarFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?ComputeDefaultWantsUntrusted@nsINode@@UAE_NAAVErrorResult@mozilla@@@Z
+?GetWindowRoot@nsContentUtils@@SA?AU?$already_AddRefed@VnsPIWindowRoot@@@@PAVDocument@dom@mozilla@@@Z
+?NS_NewMenuFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?GetMenuParent@nsMenuFrame@@QBEPAVnsMenuParent@@XZ
+?PostReflowCallback@PresShell@mozilla@@QAE?AW4nsresult@@PAVnsIReflowCallback@@@Z
+?NS_NewMenuItemFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?RemoveFrame@nsFrameList@@QAEXPAVnsIFrame@@@Z
+??2nsFrameList@@SAPAXIPAVPresShell@mozilla@@@Z
+?NS_NewLeafBoxFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?Init@nsLeafBoxFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?IsFrameOfType@nsLeafBoxFrame@@UBE_NI@Z
+?QueryFrame@nsIFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?NS_NewButtonBoxFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?Init@nsButtonBoxFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?ResolveImage@StyleComputedUrl@mozilla@@QAEXAAVDocument@dom@2@PBU12@@Z
+_ZN5style5gecko3url10CssUrlData11is_fragment17h061c4802ea6d4823E
+?LoadImage@nsContentUtils@@SA?AW4nsresult@@PAVnsIURI@@PAVnsINode@@PAVDocument@dom@mozilla@@PAVnsIPrincipal@@_KPAVnsIReferrerInfo@@PAVimgINotificationObserver@@HABV?$nsTSubstring@_S@@PAPAVimgRequestProxy@@I_N9@Z
+?GetImgLoaderForDocument@nsContentUtils@@SAPAVimgLoader@@PAVDocument@dom@mozilla@@@Z
+?IsInPrivateBrowsing@nsContentUtils@@SA_NPAVDocument@dom@mozilla@@@Z
+?LoadImage@imgLoader@@QAE?AW4nsresult@@PAVnsIURI@@0PAVnsIReferrerInfo@@PAVnsIPrincipal@@_KPAVnsILoadGroup@@PAVimgINotificationObserver@@PAVnsINode@@PAVDocument@dom@mozilla@@IPAVnsISupports@@IABV?$nsTSubstring@_S@@_N_NPAPAVimgRequestProxy@@@Z
+?CreateAsImage@PreloadHashKey@mozilla@@SA?AV12@PAVnsIURI@@PAVnsIPrincipal@@W4CORSMode@2@@Z
+??0ImageCacheKey@image@mozilla@@QAE@PAVnsIURI@@ABVOriginAttributes@2@PAVDocument@dom@2@@Z
+?IsCookieAverse@Document@dom@mozilla@@QBE_NXZ
+?GetOriginAttributesForNetworkState@StoragePrincipalHelper@mozilla@@SAXPAVDocument@dom@2@AAVOriginAttributes@2@@Z
+?ClearCacheForControlledDocument@imgLoader@@UAGXPAVDocument@dom@mozilla@@@Z
+??0imgRequest@@QAE@PAVimgLoader@@ABVImageCacheKey@image@mozilla@@@Z
+??0ImageCacheKey@image@mozilla@@QAE@ABV012@@Z
+??0ProgressTracker@image@mozilla@@QAE@XZ
+?Init@imgRequest@@QAE?AW4nsresult@@PAVnsIURI@@0_NPAVnsIRequest@@PAVnsIChannel@@PAVimgCacheEntry@@PAVDocument@dom@mozilla@@PAVnsIPrincipal@@HPAVnsIReferrerInfo@@@Z
+?CacheChanged@imgRequest@@QAE_NPAVnsIRequest@@@Z
+?PredictorLearn@net@mozilla@@YA?AW4nsresult@@PAVnsIURI@@0IPAVnsILoadGroup@@@Z
+??0LogFunc@@QAE@PAVLogModule@mozilla@@PAXPBD2PAVnsIURI@@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@$$CBURawServoStyleRule@@@@V?$WeakPtr@VCSSStyleRule@dom@mozilla@@$0A@@mozilla@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?EnsureHash@ImageCacheKey@image@mozilla@@ABEXXZ
+??1imgCacheEntry@@QAE@XZ
+?SetIsInCache@imgRequest@@QAEX_N@Z
+?Release@imgRequest@@UAGKXZ
+??0imgRequestProxy@@QAE@XZ
+?AddRef@imgRequestProxy@@UAGKXZ
+?SetLoadFlags@imgRequestProxy@@UAG?AW4nsresult@@I@Z
+?Init@imgRequestProxy@@QAE?AW4nsresult@@PAVimgRequest@@PAVnsILoadGroup@@PAVDocument@dom@mozilla@@PAVnsIURI@@PAVimgINotificationObserver@@@Z
+?GetImgCacheForDocument@imgTools@image@mozilla@@UAG?AW4nsresult@@PAVDocument@dom@3@PAPAVimgICache@@@Z
+?Channels@AudioDecoderPcmA@webrtc@@UBEIXZ
+?ObserverCount@ProgressTracker@image@mozilla@@QBEIXZ
+?SetHasProxies@imgLoader@@QAE_NPAVimgRequest@@@Z
+??8ImageCacheKey@image@mozilla@@QBE_NABV012@@Z
+?AddObserver@ProgressTracker@image@mozilla@@QAEXPAVIProgressObserver@23@@Z
+?ClearValidating@imgRequestProxy@@QAEXXZ
+?AddToLoadGroup@imgRequestProxy@@QAEXXZ
+?GetFlags@nsAuthInformationHolder@@UAG?AW4nsresult@@PAI@Z
+?Clone@imgRequestProxy@@QAE?AW4nsresult@@PAVimgINotificationObserver@@PAVDocument@dom@mozilla@@PAPAV1@@Z
+?GetChildLists@nsIFrame@@UBEXPAV?$nsTArray@VFrameChildList@layout@mozilla@@@@@Z
+?ResolvePseudoElementStyle@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@ABVElement@dom@2@W4PseudoStyleType@2@PAVComputedStyle@2@W4IsProbe@12@@Z
+?NS_NewBlockFormattingContext@@YAPAVnsBlockFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?NS_NewXMLElement@@YA?AW4nsresult@@PAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?UpdateEditableState@Element@dom@mozilla@@UAEX_N@Z
+_ZN80_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$selectors..tree..Element$GT$20match_pseudo_element17hac447d15ed41adfcE
+?NS_NewGridContainerFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?QueryFrame@nsGridContainerFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?NS_NewImageBoxFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?QueryFrame@nsImageBoxFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?BuildDisplayList@nsLeafBoxFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?PerformClone@imgRequestProxy@@IAE?AW4nsresult@@PAVimgINotificationObserver@@PAVDocument@dom@mozilla@@_NPAPAV1@@Z
+?GetSourceNode@nsBaseDragService@@UAG?AW4nsresult@@PAPAVnsINode@@@Z
+?SyncNotify@ProgressTracker@image@mozilla@@QAEXPAVIProgressObserver@23@@Z
+?NS_NewTextFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?Init@nsTextFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?QueryFrame@nsTextFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?NS_NewHTMLScrollFrame@@YAPAVnsHTMLScrollFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@_N@Z
+?QueryFrame@nsHTMLScrollFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?SetInitialChildList@nsHTMLScrollFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?AppendFrames@nsHTMLScrollFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?NS_NewTextControlFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?IsFrameOfType@nsCheckboxRadioFrame@@UBE_NI@Z
+?QueryFrame@nsTextControlFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?CreateAnonymousContent@nsTextControlFrame@@UAE?AW4nsresult@@AAV?$nsTArray@UContentInfo@nsIAnonymousContentCreator@@@@@Z
+?GetTextEditor@HTMLInputElement@dom@mozilla@@UAEPAVTextEditor@3@XZ
+?BindToFrame@TextControlState@mozilla@@QAE?AW4nsresult@@PAVnsTextControlFrame@@@Z
+?AccessibleCaretEnabled@PresShell@mozilla@@SA_NPAVnsIDocShell@@@Z
+?GetTextControlState@HTMLInputElement@dom@mozilla@@UBEPAVTextControlState@3@XZ
+?Release@nsCaret@@UAGKXZ
+?IsPreviewEnabled@HTMLInputElement@dom@mozilla@@UAE_NXZ
+?UpdateValueDisplay@nsTextControlFrame@@IAE?AW4nsresult@@_N0PBV?$nsTSubstring@_S@@@Z
+?IsSingleLineTextControl@HTMLInputElement@dom@mozilla@@UBE_NXZ
+?IsPasswordTextControl@HTMLInputElement@dom@mozilla@@UBE_NXZ
+?GetTextEditorValue@HTMLInputElement@dom@mozilla@@UBEXAAV?$nsTSubstring@_S@@_N@Z
+?SetCustomValidity@HTMLInputElement@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@@Z
+?Spellcheck@nsGenericHTMLElement@@QAE_NXZ
+_ZN5style10properties9longhands13overflow_wrap16cascade_property17hbab851da146a7dceE
+_ZN5style10properties9longhands33_moz_control_character_visibility16cascade_property17h94c62839f868541fE
+_ZN5style10properties9longhands15scrollbar_width16cascade_property17h1ef9fb0de384324eE
+_ZN5style10properties9longhands6resize16cascade_property17h784afdd5a4734343E
+_ZN5style10properties9longhands8ime_mode16cascade_property17h94514bc4341cd8ddE
+_ZN5style10properties9longhands25text_decoration_thickness16cascade_property17h4367a4749e7fab8bE
+_ZN5style10properties9longhands21text_decoration_color16cascade_property17hd5af80b60a2a99a6E
+_ZN5style10properties9longhands21text_decoration_style16cascade_property17hce93e0ecb59fc99bE
+?SetInitialChildList@nsTextControlFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?ScrollSelectionIntoViewAsync@nsTextControlFrame@@QAEXW4ScrollAncestors@1@@Z
+?InitializeKeyboardEventListeners@TextControlState@mozilla@@QAEXXZ
+?GetScrollTargetFrame@nsTextControlFrame@@UBEPAVnsIScrollableFrame@@XZ
+?UpdateOverlayTextVisibility@TextControlState@mozilla@@QAEX_N@Z
+??1AutoWeakFrame@@QAE@XZ
+?GetAbsoluteListID@nsIFrame@@UBE?AW4FrameChildListID@layout@mozilla@@XZ
+?GetAbsoluteContainingBlock@nsIFrame@@QBEPAVnsAbsoluteContainingBlock@@XZ
+?SetInitialChildList@nsAbsoluteContainingBlock@@QAEXPAVnsIFrame@@W4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?NS_NewDeckFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?NS_NewStackLayout@@YA?AW4nsresult@@AAV?$nsCOMPtr@VnsBoxLayout@@@@@Z
+?GetParentComputedStyle@nsIFrame@@UBEPAVComputedStyle@mozilla@@PAPAV1@@Z
+?DoGetParentComputedStyle@nsIFrame@@QBEPAVComputedStyle@mozilla@@PAPAV1@@Z
+?AppendFrames@nsContainerFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?DrainSelfOverflowList@nsContainerFrame@@UAE_NXZ
+?StealOverflowFrames@nsContainerFrame@@IAEPAVnsFrameList@@XZ
+?FrameNeedsReflow@PresShell@mozilla@@QAEXPAVnsIFrame@@W4IntrinsicDirty@2@W4nsFrameState@@W4ReflowRootHandling@2@@Z
+?GetChildList@nsPopupSetFrame@@UBEABVnsFrameList@@W4FrameChildListID@layout@mozilla@@@Z
+?InvalidateFrameSubtree@nsIFrame@@QAEX_N@Z
+?InvalidateFrame@nsIFrame@@UAEXI_N@Z
+?InvalidateFrame@nsInlineFrame@@UAEXI_N@Z
+?GetTransformMatrix@nsIFrame@@QBE?AV?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@W4ViewportType@4@URelativeTo@4@PAPAV1@I@Z
+?QueryFrame@nsInlineFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?TriggerAutoFocus@Document@dom@mozilla@@QAEXXZ
+??0EventRetargetSuppression@mozilla@@QAE@XZ
+?GetDepthInFrameTree@nsIFrame@@QBEIXZ
+?HasData@nsXULPrototypeCache@@QAE?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?ReallyStartLoadingInternal@nsFrameLoader@@AAE?AW4nsresult@@XZ
+?IsRemoteFrame@nsFrameLoader@@QAE_NXZ
+?DestroyComplete@nsFrameLoader@@QAEXXZ
+?SetOriginAttributes@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@ABVOriginAttributes@3@@Z
+?GetOriginAttributes@BrowsingContext@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?SetEmbedderElement@BrowsingContext@dom@mozilla@@QAEXPAVElement@23@@Z
+??$?4V?$nsTString@_S@@X@?$Maybe@V?$nsTString@_S@@@mozilla@@QAEAAV01@$$QAV01@@Z
+?AddChild@nsDocShell@@UAG?AW4nsresult@@PAVnsIDocShellTreeItem@@@Z
+?GetAsDocLoader@nsDocLoader@@SA?AU?$already_AddRefed@VnsDocLoader@@@@PAVnsISupports@@@Z
+?RemoveChildLoader@nsDocLoader@@QAE?AW4nsresult@@PAV1@@Z
+?MaybeClearStorageAccessFlag@nsDocShell@@QAEXXZ
+?AddChildLoader@nsDocLoader@@QAE?AW4nsresult@@PAV1@@Z
+?RemoveWeakReflowObserver@nsDocShell@@UAG?AW4nsresult@@PAVnsIReflowObserver@@@Z
+?GetAllowImages@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?GetAllowMedia@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?GetAffectPrivateSessionLifetime@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?Embed@BrowsingContext@dom@mozilla@@QAEXXZ
+?SetChromeEventHandler@nsDocShell@@UAG?AW4nsresult@@PAVEventTarget@dom@mozilla@@@Z
+?ApplySandboxFlags@nsFrameLoader@@QAEXI@Z
+?GetPresentationURL@nsContentUtils@@SAXPAVnsIDocShell@@AAV?$nsTSubstring@_S@@@Z
+?SetSandboxFlags@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@I@Z
+?GetMessageManager@nsFrameLoader@@QAE?AU?$already_AddRefed@VMessageSender@dom@mozilla@@@@XZ
+?SetFrameLoader@nsFrameLoaderOwner@@QAEXPAVnsFrameLoader@@@Z
+?GetSendReferrer@ReferrerInfo@dom@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetIsInUnload@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?GetPrincipal@nsGlobalWindowOuter@@UAEPAVnsIPrincipal@@XZ
+?TryCancelFrameLoaderInitialization@Document@dom@mozilla@@QAEXPAVnsIDocShell@@@Z
+?Create@nsAboutBlank@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsSafeAboutProtocolHandler@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetProtocolFlags@nsSafeAboutProtocolHandler@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetDocShell@nsFrameLoader@@QAEPAVnsDocShell@@AAVErrorResult@mozilla@@@Z
+??_GnsNestedAboutURI@net@mozilla@@EAEPAXI@Z
+?CreateForFrame@LoadInfo@net@mozilla@@SA?AU?$already_AddRefed@VLoadInfo@net@mozilla@@@@PAVCanonicalBrowsingContext@dom@3@PAVnsIPrincipal@@II@Z
+?CreateForNonDocument@LoadInfo@net@mozilla@@SA?AU?$already_AddRefed@VLoadInfo@net@mozilla@@@@PAVWindowGlobalParent@dom@3@PAVnsIPrincipal@@III@Z
+?ComputeAncestors@LoadInfo@net@mozilla@@SAXPAVCanonicalBrowsingContext@dom@3@AAV?$nsTArray@V?$nsCOMPtr@VnsIPrincipal@@@@@@AAV?$nsTArray@_K@@@Z
+?IsThirdPartyGlobal@ThirdPartyUtil@@QAE?AW4nsresult@@PAVWindowGlobalParent@dom@mozilla@@PA_N@Z
+?StorageAccessSandboxed@Document@dom@mozilla@@SA_NI@Z
+?NewChannel@nsAboutProtocolHandler@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?NS_NewCStringInputStream@@YA?AW4nsresult@@PAPAVnsIInputStream@@ABV?$nsTSubstring@D@@@Z
+?InitFromOther@nsCSPContext@@QAE?AW4nsresult@@PAV1@@Z
+??$NS_QueryNotificationCallbacks@VnsIChannel@@VnsIParentChannel@@@@YAXPAVnsIChannel@@AAV?$nsCOMPtr@VnsIParentChannel@@@@@Z
+?GetCurrentRemoteType@CanonicalBrowsingContext@dom@mozilla@@QBEXAAV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?NS_CompareLoadInfoAndLoadContext@@YA?AW4nsresult@@PAVnsIChannel@@@Z
+?IsThirdPartyPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PA_N@Z
+?Create@NonBlockingAsyncInputStream@mozilla@@SA?AW4nsresult@@U?$already_AddRefed@VnsIInputStream@@@@PAPAVnsIAsyncInputStream@@@Z
+?NS_WriteSegmentThunk@@YA?AW4nsresult@@PAVnsIInputStream@@PAXPBDIIPAI@Z
+?ListenerBlockingPromise@nsBaseChannel@@EAE?AW4nsresult@@PAPAV?$MozPromise@W4nsresult@@W41@$00@mozilla@@@Z
+?EndLoad@PresShell@mozilla@@UAEXPAVDocument@dom@2@@Z
+?NotifyDOMContentLoaded@nsRefreshDriver@@QAEXXZ
+?NotifyDOMContentLoadedStart@nsDOMNavigationTiming@@QAEXPAVnsIURI@@@Z
+?Wrap@HTMLSlotElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSlotElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLSlotElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@HTMLCanvasElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLCanvasElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?SubtreeRoot@nsINode@@QBEPAV1@XZ
+?ContentAppended@nsCSSFrameConstructor@@QAEXPAVnsIContent@@W4InsertionKind@1@@Z
+Servo_Element_IsDisplayContents
+?NoteDirtyForServo@Element@dom@mozilla@@QAEXXZ
+?GetFirstElementChild@nsINode@@QBEPAVElement@dom@mozilla@@XZ
+?GetElementsByAttribute@nsINode@@QAE?AU?$already_AddRefed@VnsIHTMLCollection@@@@ABV?$nsTSubstring@_S@@0@Z
+?GetWrapper@nsIHTMLCollection@@QAEPAVJSObject@@XZ
+?GetWrapperPreserveColorInternal@nsContentList@@MAEPAVJSObject@@XZ
+?Wrap@HTMLCollection_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsIHTMLCollection@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLCollection_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@MozCanvasPrintState_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLCanvasPrintState@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetElementAt@nsContentList@@UAEPAVElement@dom@mozilla@@I@Z
+?Children@FragmentOrElement@dom@mozilla@@QAEPAVnsIHTMLCollection@@XZ
+?NS_NewHTMLStyleElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Disabled@HTMLStyleElement@dom@mozilla@@QBE_NXZ
+?ParsePartMapping@nsAttrValue@@QAEXABV?$nsTSubstring@_S@@@Z
+?Parse@ShadowParts@mozilla@@SA?AV12@ABV?$nsTSubstring@_S@@@Z
+??0?$nsTSubstringSplitter@_S@@QAE@PBV?$nsTSubstring@_S@@_S@Z
+?Clone@HTMLSpanElement@dom@mozilla@@UBE?AW4nsresult@@PAVNodeInfo@23@PAPAVnsINode@@@Z
+?Clone@CharacterData@dom@mozilla@@UBE?AW4nsresult@@PAVNodeInfo@23@PAPAVnsINode@@@Z
+?CloneDataNode@nsTextNode@@UBE?AU?$already_AddRefed@VCharacterData@dom@mozilla@@@@PAVNodeInfo@dom@mozilla@@_N@Z
+??4nsTextFragment@@QAEAAV0@ABV0@@Z
+?CreateExtendedSlots@FragmentOrElement@dom@mozilla@@MAEPAVnsExtendedContentSlots@nsIContent@@XZ
+?Unbind@ShadowRoot@dom@mozilla@@QAEXXZ
+?CreateExtendedSlots@nsIContent@@MAEPAVnsExtendedContentSlots@1@XZ
+?SetDevtoolsAsTriggeringPrincipal@HTMLStyleElement@dom@mozilla@@QAEXXZ
+?IsCSSMimeTypeAttributeForStyleElement@LinkStyle@dom@mozilla@@KA_NABVElement@23@@Z
+?GetNodeTextContent@nsContentUtils@@SA_NPAVnsINode@@_NAAV?$nsTSubstring@_S@@ABUnothrow_t@std@@@Z
+?LoadInlineStyle@Loader@css@mozilla@@QAE?AV?$Result@UUpdate@LinkStyle@dom@mozilla@@W4nsresult@@@3@ABUSheetInfo@LinkStyle@dom@3@ABV?$nsTSubstring@_S@@IPAVnsICSSLoaderObserver@@@Z
+Servo_SelectorList_Closest
+?SetPropertySuper@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@V?$Handle@PAVPropertyName@js@@@4@2_N@Z
+?GetTextContentInternal@FragmentOrElement@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@AAVOOMReporter@3@@Z
+?ConvertToPlainText@nsContentUtils@@SA?AW4nsresult@@ABV?$nsTSubstring@_S@@AAV3@II@Z
+?emitMegamorphicStoreSlot@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@IVValOperandId@23@_N@Z
+?Clone@StyleSheet@mozilla@@QBE?AU?$already_AddRefed@VStyleSheet@mozilla@@@@PAV12@PAVCSSImportRule@dom@2@PAVDocumentOrShadowRoot@52@PAVnsINode@@@Z
+??$SetNativeDataPropertyPure@$0A@@jit@js@@YA_NPAUJSContext@@PAVJSObject@@PAVPropertyName@1@PAVValue@JS@@@Z
+?CreateInterfaceObjects@CheckerboardReportService_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Prepend@nsINode@@QAEXABV?$Sequence@VOwningNodeOrString@dom@mozilla@@@dom@mozilla@@AAVErrorResult@4@@Z
+?ContentInserted@PresShell@mozilla@@UAEXPAVnsIContent@@@Z
+?IsSignificantChild@nsStyleUtil@@SA_NPAVnsIContent@@_N@Z
+?GetContentInsertionFrameFor@nsCSSFrameConstructor@@QAEPAVnsContainerFrame@@PAVnsIContent@@@Z
+?GetContentInsertionFrame@nsBoxFrame@@UAEPAVnsContainerFrame@@XZ
+?NoteDescendantsNeedFramesForServo@Element@dom@mozilla@@QAEXXZ
+?GetFlattenedTreeParentNodeForStyle@nsINode@@QBEPAV1@XZ
+?getOrCreateIterResultWithoutPrototypeTemplateObject@Realm@JS@@QAEPAVPlainObject@js@@PAUJSContext@@@Z
+?trace@HeapReceiverGuard@js@@QAEXPAVJSTracer@@@Z
+?allocKindForTenure@ProxyObject@js@@QBE?AW4AllocKind@gc@2@XZ
+?regexp_toShared@Proxy@js@@SAPAVRegExpShared@2@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?traceRematerializedFrames@JitActivation@jit@js@@QAEXPAVJSTracer@@@Z
+?traceIonRecovery@JitActivation@jit@js@@QAEXPAVJSTracer@@@Z
+?isBareExit@JSJitFrameIter@jit@js@@QBE_NXZ
+?trace@ICStub@jit@js@@QAEXPAVJSTracer@@@Z
+??$TraceCacheIRStub@VICStub@jit@js@@@jit@js@@YAXPAVJSTracer@@PAVICStub@01@PBVCacheIRStubInfo@01@@Z
+?trace@BaselineFrame@jit@js@@QAEXPAVJSTracer@@ABVJSJitFrameIter@23@@Z
+?TraceCalleeToken@jit@js@@YAPAXPAVJSTracer@@PAX@Z
+?trace@?$RootedTraceable@U?$ValueArray@$02@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?remove@?$HashMap@PAUCell@gc@js@@_KU?$PointerHasher@PAUCell@gc@js@@@mozilla@@VSystemAllocPolicy@3@@mozilla@@QAEXABQAUCell@gc@js@@@Z
+?DeferredFinalize@mozilla@@YAXPAVnsISupports@@@Z
+?CreateInterfaceObjects@AnonymousContent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NS_NewHTMLLabelElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?WrapNode@HTMLLIElement@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?FindInlinableOpData@jit@js@@YA?AV?$Maybe@VInlinableOpData@jit@js@@@mozilla@@PAVICStub@12@VBytecodeLocation@2@@Z
+?ContentRemoved@PresShell@mozilla@@UAEXPAVnsIContent@@0@Z
+?ContentRemoved@EventStateManager@mozilla@@QAEXPAVDocument@dom@2@PAVnsIContent@@@Z
+?OnRemoveContent@IMEStateManager@mozilla@@SA?AW4nsresult@@PAVnsPresContext@@PAVnsIContent@@@Z
+?ContentRemoved@nsFocusManager@@QAE?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsIContent@@@Z
+?ReleaseIfCaptureByDescendant@PointerEventHandler@mozilla@@SAXPAVnsIContent@@@Z
+?ContentRemoved@nsCSSFrameConstructor@@QAE_NPAVnsIContent@@0W4RemoveFlags@1@@Z
+?GetFloatContainingBlock@nsCSSFrameConstructor@@QAEPAVnsContainerFrame@@PAVnsIFrame@@@Z
+?GetContentInsertionFrame@nsHTMLScrollFrame@@UAEPAVnsContainerFrame@@XZ
+?GetPrevContinuation@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?GetNextContinuation@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?GetChildListNameFor@nsLayoutUtils@@SA?AW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?RemoveFrame@nsBoxFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?GetXULMaxSize@nsPlaceholderFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?IsProperAncestorFrame@nsLayoutUtils@@SA_NPBVnsIFrame@@00@Z
+?RemoveFrame@nsFrameManager@@QAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?RemoveFrame@nsAbsoluteContainingBlock@@QAEXPAVnsIFrame@@W4FrameChildListID@layout@mozilla@@0@Z
+?GetNextInFlow@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?DestroyFrame@nsFrameList@@QAEXPAVnsIFrame@@@Z
+?DestroyFrom@nsHTMLScrollFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?DestroyAbsoluteFrames@nsContainerFrame@@IAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?Destroy@ScrollFrameHelper@mozilla@@QAEXAAUPostFrameDestroyData@layout@2@@Z
+?InvalidateAnchor@ScrollAnchorContainer@layout@mozilla@@QAEXW4ScheduleSelection@123@@Z
+?FindFor@ScrollAnchorContainer@layout@mozilla@@SAPAV123@PAVnsIFrame@@@Z
+?DestroyFrom@nsContainerFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?DestroyFrom@nsBlockFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?DeleteLineList@nsLineBox@@SAXPAVnsPresContext@@AAVnsLineList@@PAVnsIFrame@@PAVnsFrameList@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?DestroyFrom@nsIFrame@@MAEXPAV1@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?TransferActivityToContent@ActiveLayerTracker@mozilla@@SAXPAVnsIFrame@@PAVnsIContent@@@Z
+?GetAnimationCollection@?$AnimationCollection@VCSSAnimation@dom@mozilla@@@mozilla@@SAPAV12@PBVnsIFrame@@@Z
+?GetAnimationElementAndPseudoForFrame@EffectCompositor@mozilla@@SA?AV?$Maybe@UNonOwningAnimationTarget@mozilla@@@2@PBVnsIFrame@@@Z
+?GetAnimationCollection@?$AnimationCollection@VCSSTransition@dom@mozilla@@@mozilla@@SAPAV12@PBVnsIFrame@@@Z
+?RemoveFrameFromApproximatelyVisibleList@PresShell@mozilla@@QAEXPAVnsIFrame@@@Z
+?NotifyDestroyingFrame@PresShell@mozilla@@QAEXPAVnsIFrame@@@Z
+?RemoveDisplayItemDataForDeletion@nsIFrame@@QAEXXZ
+?RemoveFrameFromLayerManager@FrameLayerBuilder@mozilla@@SAXPBVnsIFrame@@AAV?$SmallPointerArray@VDisplayItemData@mozilla@@@2@@Z
+?NotifyDestroyingFrame@nsCSSFrameConstructor@@QAEXPAVnsIFrame@@@Z
+??_GnsBoxFrame@@MAEPAXI@Z
+??1nsIFrame@@MAE@XZ
+?Free@?$nsPresArena@$0CAAA@W4ArenaObjectID@mozilla@@$0KO@@@QAEXW4ArenaObjectID@mozilla@@PAX@Z
+??1nsContainerFrame@@MAE@XZ
+?GetEventGroups@AccReorderEvent@a11y@mozilla@@UBEIXZ
+??_GnsHTMLScrollFrame@@UAEPAXI@Z
+??1ScrollFrameHelper@mozilla@@QAE@XZ
+??1AutoPostDestroyData@nsIFrame@@QAE@XZ
+?DestroyAnonymousContent@nsIFrame@@KAXPAVnsPresContext@@$$QAU?$already_AddRefed@VnsIContent@@@@@Z
+?opcode@RObjectState@jit@js@@UBE?AW4Opcode@RInstruction@23@XZ
+?MarkIntrinsicISizesDirty@nsBoxFrame@@UAEXXZ
+?ClearServoDataFromSubtree@RestyleManager@mozilla@@SAXPAVElement@dom@2@W4IncludeRoot@12@@Z
+??1?$StyleGenericTransformOperation@UStyleAngle@mozilla@@MUStyleCSSPixelLength@2@HTStyleLengthPercentageUnion@2@@mozilla@@QAE@XZ
+??1?$StyleGenericCalcNode@TStyleCalcLengthPercentageLeaf@mozilla@@@mozilla@@QAE@XZ
+?UnregisterUnresolvedElement@CustomElementRegistry@dom@mozilla@@QAEXPAVElement@23@PAVnsAtom@@@Z
+?GetDocShell@XULFrameElement@dom@mozilla@@QAEPAVnsDocShell@@XZ
+?GetSessionHistoryXPCOM@nsDocShell@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?WrapObject@nsFrameLoader@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@FrameLoader_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsFrameLoader@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@FrameLoader_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetConstructorObject@HTMLAnchorElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetBrowsingContext@nsFrameLoader@@QAEPAVBrowsingContext@dom@mozilla@@XZ
+?WrapObject@CanonicalBrowsingContext@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@CanonicalBrowsingContext_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVCanonicalBrowsingContext@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@CanonicalBrowsingContext_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@BrowsingContext_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetSecureBrowserUI@CanonicalBrowsingContext@dom@mozilla@@QAEPAVnsISecureBrowserUI@@XZ
+?HasMutationListeners@EventListenerManager@mozilla@@QAE_NXZ
+?MutationListenerBits@EventListenerManager@mozilla@@QAEIXZ
+?AttributeWillChange@nsFormFillController@@UAEXPAVElement@dom@mozilla@@HPAVnsAtom@@H@Z
+?SerializeToString@nsDOMSerializer@@QAEXAAVnsINode@@AAV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?UnwrapArgImpl@dom@mozilla@@YA?AW4nsresult@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABUnsID@@PAPAX@Z
+?SetBrowserDOMWindow@nsGlobalWindowInner@@QAEXPAVnsIBrowserDOMWindow@@AAVErrorResult@mozilla@@@Z
+?delete_@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@AAVObjectOpResult@5@@Z
+?delete_@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@AAVObjectOpResult@5@@Z
+?math_trunc_handle@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?trunc@fdlibm@@YANN@Z
+Servo_StyleSet_MightHaveAttributeDependency
+?AddAttrs@ServoElementSnapshot@mozilla@@QAEXABVElement@dom@2@HPAVnsAtom@@@Z
+?AttributeChanged@nsBoxFrame@@UAE?AW4nsresult@@HPAVnsAtom@@H@Z
+?GetInitialOrientation@nsBoxFrame@@MAEXAA_N@Z
+?GetInitialDirection@nsBoxFrame@@MAEXAA_N@Z
+?GetInitialVAlignment@nsBoxFrame@@MAE_NAAW4Valignment@nsIFrame@@@Z
+?GetInitialHAlignment@nsBoxFrame@@MAE_NAAW4Halignment@nsIFrame@@@Z
+?GetInitialEqualSize@nsBoxFrame@@MAE_NAA_N@Z
+?GetInitialAutoStretch@nsBoxFrame@@MAE_NAA_N@Z
+?MarkIntrinsicISizesDirty@nsBlockFrame@@UAEXXZ
+?MarkIntrinsicISizesDirty@nsTextFrame@@UAEXXZ
+?DestroyFrom@nsTextFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?array_pop@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SuppressDeletedElement@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@I@Z
+?GetElementsByTagNameNS@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIHTMLCollection@@@@ABV?$nsTSubstring@_S@@0AAVErrorResult@3@@Z
+?NS_GetContentList@@YA?AU?$already_AddRefed@VnsContentList@@@@PAVnsINode@@HABV?$nsTSubstring@_S@@@Z
+?NotifyCharacterDataWillChange@MutationObservers@dom@mozilla@@SAXPAVnsIContent@@ABUCharacterDataChangeInfo@@@Z
+?NotifyCharacterDataChanged@MutationObservers@dom@mozilla@@SAXPAVnsIContent@@ABUCharacterDataChangeInfo@@@Z
+Gecko_Document_GetElementsWithId
+?FlatStringMatch@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?EncodeURI@js@@YAPAVJSString@@PAUJSContext@@PBDI@Z
+?StringHasRegExpMetaChars@js@@YA_NPAVJSLinearString@@@Z
+?StringToUpperCase@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@@Z
+?SetCharAt@?$nsTString@_S@@QAE_N_SI@Z
+?GetProxyURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?ForceLayoutIfNecessary@nsFrameLoader@@QAEXXZ
+?GetOpener@BrowsingContext@dom@mozilla@@QBE?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@XZ
+??0nsBrowserStatusFilter@@QAE@XZ
+?AddProgressListener@nsBrowserStatusFilter@@UAG?AW4nsresult@@PAVnsIWebProgressListener@@I@Z
+?InitSessionHistory@BrowsingContext@dom@mozilla@@QAEXXZ
+??0ChildSHistory@dom@mozilla@@QAE@PAVBrowsingContext@12@@Z
+?SetIsInProcess@ChildSHistory@dom@mozilla@@QAEX_N@Z
+??0nsSHistory@@QAE@PAVBrowsingContext@dom@mozilla@@@Z
+?HasDetachedEditor@nsSHEntry@@UAG_NXZ
+?GetGroupMessageManager@nsGlobalWindowInner@@QAEPAVChromeMessageBroadcaster@dom@mozilla@@ABV?$nsTSubstring@_S@@@Z
+?MessageManager@nsGlobalWindowInner@@QAEPAVChromeMessageBroadcaster@dom@mozilla@@XZ
+?Create@InProcessBrowserChildMessageManager@dom@mozilla@@SA?AU?$already_AddRefed@VInProcessBrowserChildMessageManager@dom@mozilla@@@@PAVnsDocShell@@PAVnsIContent@@PAVnsFrameMessageManager@@@Z
+?MarkForCC@InProcessBrowserChildMessageManager@dom@mozilla@@QAEXXZ
+?Init@nsMessageManagerScriptExecutor@@IAE_NXZ
+?RegisterChromeEventTarget@JSActorService@dom@mozilla@@QAEXPAVEventTarget@23@@Z
+??0TabListener@dom@mozilla@@QAE@PAVnsIDocShell@@PAVElement@12@@Z
+?Init@TabListener@dom@mozilla@@QAE?AW4nsresult@@XZ
+?GetDocShellCaps@ContentSessionStore@dom@mozilla@@QAE?AV?$nsTString@D@@XZ
+?SetCallback@nsFrameMessageManager@@QAEXPAVMessageManagerCallback@ipc@dom@mozilla@@@Z
+?FinishStaticClone@nsFrameLoader@@QAE?AW4nsresult@@PAV1@PA_N@Z
+?LoadFrameScript@InProcessBrowserChildMessageManager@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@_N@Z
+?IsSafeToRunScript@nsContentUtils@@SA_NXZ
+?GetOrCreateWrapper@ContentFrameMessageManager@dom@mozilla@@QAEPAVJSObject@@XZ
+?Wrap@ContentFrameMessageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVContentFrameMessageManager@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ContentFrameMessageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetJSContext@danger@dom@mozilla@@YAPAUJSContext@@XZ
+?CloneAndExecuteScript@JS@@YA_NPAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@1@V?$Handle@PAVJSScript@@@1@V?$MutableHandle@VValue@JS@@@1@@Z
+?JS_ExecuteScript@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?LegacySHistory@ChildSHistory@dom@mozilla@@QAEPAVnsISHistory@@XZ
+?Wrap@ChildSHistory_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChildSHistory@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ChildSHistory_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetBrowsingContextXPCOM@nsDocShell@@UAG?AW4nsresult@@PAPAVBrowsingContext@dom@mozilla@@@Z
+?SetTextZoom@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@M@Z
+??0nsSecureBrowserUI@@QAE@PAVCanonicalBrowsingContext@dom@mozilla@@@Z
+?QueryInterface@nsSecureBrowserUI@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DefineTestingFunctions@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@_N2@Z
+?InsertAdjacent@Element@dom@mozilla@@AAEPAVnsINode@@ABV?$nsTSubstring@_S@@PAV4@AAVErrorResult@3@@Z
+?GetContentInsertionFrame@nsBlockFrame@@UAEPAVnsContainerFrame@@XZ
+?IsReallyFixedPos@nsLayoutUtils@@SA_NPBVnsIFrame@@@Z
+?DestroyFrom@nsBoxFrame@@MAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+WebRtcNs_num_freq
+?AccessibleType@nsTableRowFrame@@UAE?AW4AccType@a11y@mozilla@@XZ
+?WindowState@nsGlobalWindowInner@@QAEGXZ
+?GetMainWidget@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VnsIWidget@@@@XZ
+?SerialEventTarget@MessageLoop@@QAEPAVnsISerialEventTarget@@XZ
+?IsFullyOccluded@nsGlobalWindowInner@@QAE_NXZ
+?IsFullyOccluded@nsBaseWidget@@UBE_NXZ
+?SetIsBackground@nsGlobalWindowOuter@@UAEX_N@Z
+?Release@BrowsingContextWebProgress@dom@mozilla@@UAGKXZ
+?CheckNotCharacterAfterAnd@RegExpBytecodeGenerator@internal@v8@@UAEXIIPAVLabel@23@@Z
+?str_includes@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?Wrap@HTMLTitleElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLTitleElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLTitleElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AddRefreshObserver@nsRefreshDriver@@QAEXPAVnsARefreshObserver@@W4FlushType@mozilla@@PBD@Z
+?ObjectMayHaveExtraIndexedProperties@js@@YA_NPAVJSObject@@@Z
+?tryUnshiftDenseElements@NativeObject@js@@QAE_NI@Z
+?Wrap@HTMLTemplateElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLTemplateElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLTemplateElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?moveDenseElements@NativeObject@js@@QAEXIII@Z
+??$read@I@DataViewObject@js@@QAEI_K_N@Z
+?GetClosed@nsGlobalWindowInner@@QAE_NAAVErrorResult@mozilla@@@Z
+?GetClosedOuter@nsGlobalWindowOuter@@QAE_NXZ
+?findNonLiveSlot@?$HashTable@$$CBU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@USetHashPolicy@?$HashSet@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@VSystemAllocPolicy@4@@detail@mozilla@@AAE?AV?$EntrySlot@$$CBU?$CellPtrEdge@VJSString@@@StoreBuffer@gc@js@@@23@I@Z
+?typePolicy@MToIntegerInt32@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MBoundsCheck@jit@js@@UAEPBVTypePolicy@23@XZ
+?alreadyReportedError@JSContext@@QAE?AV?$GenericErrorResult@UError@JS@@@mozilla@@XZ
+?mightAlias@MLoadElement@jit@js@@UBE?AW4AliasType@MDefinition@23@PBV523@@Z
+?foldsTo@MToNumberInt32@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MToNumberInt32@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MBoundsCheck@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MBoundsCheck@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MLoadElement@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?IsUint32Type@jit@js@@YA_NPBVMDefinition@12@@Z
+?computeRange@MBoundsCheck@jit@js@@UAEXAAVTempAllocator@23@@Z
+?computeRange@MInitializedLength@jit@js@@UAEXAAVTempAllocator@23@@Z
+?collectRangeInfoPreTrunc@MToNumberInt32@jit@js@@UAEXXZ
+?collectRangeInfoPreTrunc@MBoundsCheck@jit@js@@UAEXXZ
+?analyzeEdgeCasesBackward@MToNumberInt32@jit@js@@UAEXXZ
+?replaceAllUsesWith@MDefinition@jit@js@@QAEXPAV123@@Z
+?clone@MUnbox@jit@js@@UBEPAVMInstruction@23@AAVTempAllocator@23@ABV?$Vector@PAVMDefinition@jit@js@@$05VJitAllocPolicy@23@@mozilla@@@Z
+?GetLastElementChild@nsINode@@QBEPAVElement@dom@mozilla@@XZ
+??$define@$01@LIRGeneratorShared@jit@js@@IAEXPAV?$LInstructionFixedDefsTempsHelper@$00$01@details@12@PAVMDefinition@12@W4Policy@LDefinition@12@@Z
+?WrapObject@DocumentL10n@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@DocumentL10n_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDocumentL10n@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@DOMLocalization_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@Localization_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?convertValueToInt@MacroAssembler@jit@js@@QAEXVValueOperand@23@PAVMDefinition@23@PAVLabel@23@22URegister@23@UFloatRegister@23@32W4IntConversionBehavior@23@W4IntConversionInputKind@23@@Z
+?spectreMaskIndex@MacroAssembler@jit@js@@QAEXURegister@23@00@Z
+?RemoveTooltipSupport@nsXULTooltipListener@@QAEXPAVnsIContent@@@Z
+?RemoveSystemEventListener@EventTarget@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVnsIDOMEventListener@@_N@Z
+?RemoveEventListenerByType@EventListenerManager@mozilla@@QAEXPAVnsIDOMEventListener@@ABV?$nsTSubstring@_S@@ABUEventListenerFlags@2@@Z
+?NodeInfoChanged@nsMappedAttributeElement@@UAEXPAVDocument@dom@mozilla@@@Z
+?RecompileScriptEventListeners@nsGenericHTMLElement@@UAEXXZ
+?match@CacheIRStubKey@jit@js@@SA_NABU123@ABULookup@123@@Z
+?Release@nsXPConnect@@UAGKXZ
+?ComputeThis@detail@JS@@YA_NPAUJSContext@@PAVValue@2@V?$MutableHandle@PAVJSObject@@@2@@Z
+?BoxNonStrictThis@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?Location@nsGlobalWindowInner@@UAEPAV0dom@mozilla@@XZ
+??0Location@dom@mozilla@@QAE@PAVnsPIDOMWindowInner@@PAVBrowsingContext@12@@Z
+?AddRef@Clients@dom@mozilla@@UAGKXZ
+?WrapObject@Location@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Location_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVLocation@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Location_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetProtoObject@Localization_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?JS_HasPropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@PA_N@Z
+?CallerSubsumes@Location@dom@mozilla@@IAE_NPAVnsIPrincipal@@@Z
+?SubsumesConsideringDomain@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PA_N@Z
+?GetHref@Location@dom@mozilla@@QAE?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetCurrentURI@nsDocShell@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?NewObject@MConstant@jit@js@@SAPAV123@AAVTempAllocator@23@PAVJSObject@@@Z
+?discardLastIns@MBasicBlock@jit@js@@QAEXXZ
+?getUseFor@?$MAryControlInstruction@$00$01@jit@js@@MAEPAVMUse@23@I@Z
+?initEntrySlots@MBasicBlock@jit@js@@QAE_NAAVTempAllocator@23@@Z
+?foldsTo@MGuardSpecificFunction@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?addConstantToPool@LIRGraph@jit@js@@QAE_NABVValue@JS@@PAI@Z
+?visitEmittedAtUses@LIRGeneratorShared@jit@js@@IAEXPAVMInstruction@23@@Z
+?addInlinedCompilation@JitZone@jit@js@@QAE_NABVRecompileInfo@23@PAVJSScript@@@Z
+?ensureHash@?$MovableCellHasher@PAVBaseScript@js@@@js@@SA_NABQAVBaseScript@2@@Z
+?hash@?$MovableCellHasher@PAVBaseScript@js@@@js@@SAIABQAVBaseScript@2@@Z
+?copyConstants@IonScript@jit@js@@QAEXPBVValue@JS@@@Z
+?emitLoadStringResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+?Wrap@HTMLDivElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLDivElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLDivElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?WrapNode@HTMLSpanElement@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@HTMLSpanElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSpanElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLSpanElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@KeyboardEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@UIEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$GenericMethod@UMaybeCrossOriginObjectThisPolicy@binding_detail@dom@mozilla@@UConvertExceptionsToPromises@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?PromiseDocumentFlushed@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVPromiseDocumentFlushedCallback@dom@mozilla@@AAVErrorResult@5@@Z
+?AddPostRefreshObserver@nsRefreshDriver@@QAEXPAVnsAPostRefreshObserver@@@Z
+?GetControllers@HTMLInputElement@dom@mozilla@@QAEPAVnsIControllers@@AAVErrorResult@3@@Z
+?CreateEditorCommandTable@nsControllerCommandTable@@SA?AU?$already_AddRefed@VnsControllerCommandTable@@@@XZ
+?RegisterEditorCommands@EditorController@mozilla@@SA?AW4nsresult@@PAVnsControllerCommandTable@@@Z
+?RegisterCommand@nsControllerCommandTable@@UAG?AW4nsresult@@PBDPAVnsIControllerCommand@@@Z
+?AppendController@nsXULControllers@@UAG?AW4nsresult@@PAVnsIController@@@Z
+?CreateEditingCommandTable@nsControllerCommandTable@@SA?AU?$already_AddRefed@VnsControllerCommandTable@@@@XZ
+?RegisterEditingCommands@EditorController@mozilla@@SA?AW4nsresult@@PAVnsControllerCommandTable@@@Z
+?Release@nsBaseCommandController@@UAGKXZ
+?QueryInterface@nsXULControllers@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?InsertControllerAt@nsXULControllers@@UAG?AW4nsresult@@IPAVnsIController@@@Z
+?GetEditorForBindings@HTMLInputElement@dom@mozilla@@QAEPAVnsIEditor@@XZ
+?GetTextEditor@TextControlState@mozilla@@QAEPAVTextEditor@2@XZ
+?PrepareEditor@TextControlState@mozilla@@QAE?AW4nsresult@@PBV?$nsTSubstring@_S@@@Z
+??0AutoHideSelectionChanges@dom@mozilla@@QAE@PAVSelection@12@@Z
+??0TextEditor@mozilla@@QAE@XZ
+??0EditorBase@mozilla@@QAE@XZ
+?LastContinuation@nsTextFrame@@UBEPAV1@XZ
+?RemoveFrame@nsBlockFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?EnsurePushedFloats@nsBlockFrame@@IAEPAVnsFrameList@@XZ
+?DoRemoveFrameInternal@nsBlockFrame@@IAEXPAVnsIFrame@@IAAUPostFrameDestroyData@layout@mozilla@@@Z
+?ClearLineCursor@nsBlockFrame@@QAEXXZ
+?GetNextContinuation@nsTextFrame@@UBEPAV1@XZ
+?GetFrameId@nsTextFrame@@UBE?AW4FrameIID@nsQueryFrame@@XZ
+??_GnsTextFrame@@MAEPAXI@Z
+?Destroy@nsLineBox@@QAEXPAVPresShell@mozilla@@@Z
+?RestoreState@nsTextControlFrame@@UAG?AW4nsresult@@PAVPresState@mozilla@@@Z
+?DidMoveNode@RangeUpdater@mozilla@@QAEXABVnsINode@@H0H@Z
+?Init@EditorBase@mozilla@@UAE?AW4nsresult@@AAVDocument@dom@2@PAVElement@52@PAVnsISelectionController@@IABV?$nsTSubstring@_S@@@Z
+?GetTextControlElementFromEditingHost@TextControlElement@mozilla@@SA?AU?$already_AddRefed@VTextControlElement@mozilla@@@@PAVnsIContent@@@Z
+??RnsQueryReferent@@QBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ResetBlinking@nsCaret@@IAEXXZ
+?SchedulePaint@nsCaret@@QAEXPAVSelection@dom@mozilla@@@Z
+?GetFrameAndOffset@nsCaret@@SAPAVnsIFrame@@PAVSelection@dom@mozilla@@PAVnsINode@@HPAHPAPAV2@@Z
+??0AutoEditActionDataSetter@EditorBase@mozilla@@QAE@ABV12@W4EditAction@2@PAVnsIPrincipal@@@Z
+?GetSelection@TextInputSelectionController@mozilla@@UAEPAVSelection@dom@2@F@Z
+??1AutoEditActionDataSetter@EditorBase@mozilla@@QAE@XZ
+?MaybeCreatePaddingBRElementForEmptyEditor@EditorBase@mozilla@@IAE?AW4nsresult@@XZ
+?SetTopLevelEditSubAction@AutoEditActionDataSetter@EditorBase@mozilla@@QAEXW4EditSubAction@3@F@Z
+?AnchorRef@Selection@dom@mozilla@@QBEABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@3@XZ
+?CreateHTMLContent@EditorBase@mozilla@@IAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@PBVnsAtom@@@Z
+?CreateElem@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@ABV?$nsTSubstring@_S@@PAVnsAtom@@HPBV5@@Z
+?NS_NewHTMLBRElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?InsertNodeWithTransaction@EditorBase@mozilla@@IAE?AW4nsresult@@AAVnsIContent@@ABV?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@@Z
+??$Create@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@InsertNodeTransaction@mozilla@@SA?AU?$already_AddRefed@VInsertNodeTransaction@mozilla@@@@AAVEditorBase@1@AAVnsIContent@@ABV?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@1@@Z
+?DoTransactionInternal@EditorBase@mozilla@@IAE?AW4nsresult@@PAVnsITransaction@@@Z
+?StartBatchChanges@Selection@dom@mozilla@@QAEXXZ
+?HasStyleOrIdOrClassAttribute@HTMLEditor@mozilla@@KA_NAAVElement@dom@2@@Z
+?MarkElementDirty@EditorBase@mozilla@@IAE?AW4nsresult@@AAVElement@dom@2@@Z
+?ToRawRangeBoundary@?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@mozilla@@QBE?BV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@XZ
+?CollapseInternal@Selection@dom@mozilla@@AAEXW4InLimiter@123@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@3@AAVErrorResult@3@@Z
+?GetFrameForNodeOffset@nsFrameSelection@@SAPAVnsIFrame@@PAVnsIContent@@HW4CaretAssociationHint@mozilla@@PAH@Z
+?RegisterSelection@nsRange@@QAEXAAVSelection@dom@mozilla@@@Z
+?GetPresShell@EditorBase@mozilla@@QBEPAVPresShell@2@XZ
+?GetDocumentModified@EditorBase@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?EndBatchChanges@Selection@dom@mozilla@@QAEXF@Z
+?NotifySelectionListeners@Selection@dom@mozilla@@QAE?AW4nsresult@@XZ
+?RemoveSelectionListener@Selection@dom@mozilla@@QAEXPAVnsISelectionListener@@@Z
+?SetVisibilityDuringSelection@nsCaret@@QAEX_N@Z
+?IsVisible@nsCaret@@QAE_NPAVSelection@dom@mozilla@@@Z
+?NotifySelectionChanged@EditorBase@mozilla@@UAG?AW4nsresult@@PAVDocument@dom@2@PAVSelection@52@F@Z
+??$SelAdjCreateNode@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@RangeUpdater@mozilla@@QAE?AW4nsresult@@ABV?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@1@@Z
+?UnregisterSelection@nsRange@@QAEXXZ
+??$MaybeCacheToReuse@VnsRange@@@AbstractRange@dom@mozilla@@KA_NAAVnsRange@@@Z
+?GetStartPoint@EditorBase@mozilla@@KA?AV?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@2@ABVSelection@dom@2@@Z
+?GetRangeAt@Selection@dom@mozilla@@QBEPAVnsRange@@H@Z
+??0TransactionManager@mozilla@@QAE@H@Z
+?EnableUndoRedo@TransactionManager@mozilla@@QAE_NH@Z
+?GetControllers@HTMLInputElement@dom@mozilla@@QAE?AW4nsresult@@PAPAVnsIControllers@@@Z
+?GetControllerCount@nsXULControllers@@UAG?AW4nsresult@@PAI@Z
+?GetControllerAt@nsXULControllers@@UAG?AW4nsresult@@IPAPAVnsIController@@@Z
+?Release@nsBaseCommandController@@W3AGKXZ
+?SetCommandContext@nsBaseCommandController@@UAG?AW4nsresult@@PAVnsISupports@@@Z
+?QueryInterface@TextEditor@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@EditorBase@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsGenericHTMLFrameElement@@WFI@AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetIntAttr@nsGenericHTMLElement@@IBEHPAVnsAtom@@H@Z
+?PostCreate@EditorBase@mozilla@@QAE?AW4nsresult@@XZ
+?SetFlags@EditorBase@mozilla@@UAG?AW4nsresult@@I@Z
+?CreateEventListeners@EditorBase@mozilla@@MAEXXZ
+?InstallEventListeners@EditorBase@mozilla@@MAE?AW4nsresult@@XZ
+?Connect@EditorEventListener@mozilla@@UAE?AW4nsresult@@PAVEditorBase@2@@Z
+?GetBidiKeyboard@nsContentUtils@@SAPAVnsIBidiKeyboard@@XZ
+?CreateBidiKeyboardInner@nsIWidget@@CA?AU?$already_AddRefed@VnsIBidiKeyboard@@@@XZ
+?Share@WindowsUIUtils@@SA?AV?$RefPtr@V?$MozPromise@_NW4nsresult@@$00@mozilla@@@@V?$nsTAutoStringN@_S$0EA@@@00@Z
+?ResetModificationCount@EditorBase@mozilla@@UAG?AW4nsresult@@XZ
+?GetFocusedContent@EditorBase@mozilla@@UBEPAVnsIContent@@XZ
+?OnEditorInitialized@IMEStateManager@mozilla@@SAXAAVEditorBase@2@@Z
+?SetTextInputListener@EditorBase@mozilla@@QAEXPAVTextInputListener@2@@Z
+??0ValidityState@dom@mozilla@@IAE@PAVnsIConstraintValidation@@@Z
+?GetConstFrameSelection@nsIFrame@@QBEPBVnsFrameSelection@@XZ
+?GetOwnedFrameSelection@nsTextControlFrame@@UAEPAVnsFrameSelection@@XZ
+?SetSelectionRange@nsTextControlFrame@@UAG?AW4nsresult@@IIW4SelectionDirection@nsITextControlFrame@@@Z
+?EnsureEditorInitialized@nsTextControlFrame@@UAE?AW4nsresult@@XZ
+?GetSelection@nsFrameSelection@@QBEPAVSelection@dom@mozilla@@W4SelectionType@4@@Z
+?ValueChanged@HTMLInputElement@dom@mozilla@@UBE_NXZ
+?ChildNodes@nsINode@@QAEPAVnsINodeList@@XZ
+?ValidateCache@nsParentNodeChildContentList@@AAE_NXZ
+?Length@nsParentNodeChildContentList@@UAEIXZ
+?Item@nsParentNodeChildContentList@@UAEPAVnsIContent@@I@Z
+?GetTextEditor@nsTextControlFrame@@UAE?AU?$already_AddRefed@VTextEditor@mozilla@@@@XZ
+?SetStartAndEndInternal@Selection@dom@mozilla@@AAEXW4InLimiter@123@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@3@1W4nsDirection@@AAVErrorResult@3@@Z
+?RemoveAllRanges@Selection@dom@mozilla@@QAEXAAVErrorResult@3@@Z
+?AddRangeAndSelectFramesAndNotifyListeners@Selection@dom@mozilla@@AAEXAAVnsRange@@PAVDocument@23@AAVErrorResult@3@@Z
+?GetCaretBidiLevel@Selection@dom@mozilla@@QBE?AU?$Nullable@F@23@AAVErrorResult@3@@Z
+?SelectFrames@Selection@dom@mozilla@@ABE?AW4nsresult@@PAVnsPresContext@@PAVnsRange@@_N@Z
+?OnSelectionChange@TextInputListener@mozilla@@QAEXAAVSelection@dom@2@F@Z
+?Release@TextInputListener@mozilla@@UAGKXZ
+?SetNewlineHandling@EditorBase@mozilla@@UAG?AW4nsresult@@H@Z
+?SetAttributes@DOMLocalization@dom@mozilla@@QAEXPAUJSContext@@AAVElement@23@ABV?$nsTSubstring@_S@@ABV?$Optional@V?$Handle@PAVJSObject@@@JS@@@23@AAVErrorResult@3@@Z
+?IsEmpty@TextEditor@mozilla@@UBE_NXZ
+?IsAttributeMapped@HTMLInputElement@dom@mozilla@@UBG_NPBVnsAtom@@@Z
+?EnsureTheme@nsPresContext@@IAEPAVnsITheme@@XZ
+?do_GetNativeThemeDoNotUseDirectly@@YA?AU?$already_AddRefed@VnsITheme@@@@XZ
+??0nsNativeTheme@@QAE@XZ
+?ThemeSupportsWidget@nsNativeThemeWin@@UAE_NPAVnsPresContext@@PAVnsIFrame@@W4StyleAppearance@mozilla@@@Z
+?IsWidgetStyled@nsNativeTheme@@QAE_NPAVnsPresContext@@PAVnsIFrame@@W4StyleAppearance@mozilla@@@Z
+?AttributeChanged@nsTextControlFrame@@UAE?AW4nsresult@@HPAVnsAtom@@H@Z
+?StringifyJSON@nsContentUtils@@SA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAV?$nsTSubstring@_S@@@Z
+?JS_Stringify@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@V?$Handle@PAVJSObject@@@3@V?$Handle@VValue@JS@@@3@P6A_NPB_SIPAX@Z5@Z
+?GetFocusedDescendant@nsFocusManager@@SAPAVElement@dom@mozilla@@PAVnsPIDOMWindowOuter@@W4SearchRange@1@PAPAV5@@Z
+?Init@FocusOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Focus@Element@dom@mozilla@@UAEXABUFocusOptions@23@W4CallerType@23@AAVErrorResult@3@@Z
+?CanSkipFocus@nsFocusManager@@QAE_NPAVnsIContent@@@Z
+?SetFocus@nsFocusManager@@UAG?AW4nsresult@@PAVElement@dom@mozilla@@I@Z
+?SetFocusInner@nsFocusManager@@IAEXPAVElement@dom@mozilla@@H_N1_K@Z
+?PostRestyleForThrottledAnimations@EffectCompositor@mozilla@@QAEXXZ
+?MostRecentRefresh@nsRefreshDriver@@QBE?AVTimeStamp@mozilla@@_N@Z
+?StyleDocument@ServoStyleSet@mozilla@@QAE_NW4ServoTraversalFlags@2@@Z
+?PreTraverse@EffectCompositor@mozilla@@QAE_NW4ServoTraversalFlags@2@@Z
+Gecko_GetElementSnapshot
+_ZN5style12invalidation7element16invalidation_map10Dependency17invalidation_kind17h75279101ed05de46E
+_ZN5style12invalidation7element11invalidator27DescendantInvalidationLists8is_empty17h3f60a7bbc3dd183cE
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$19has_css_transitions17hd4d07834c65bdcfaE
+_ZN5style5gecko14restyle_damage18GeckoRestyleDamage24compute_style_difference17h1b590a948200677dE
+Gecko_CalcStyleDifference
+?CalcStyleDifference@ComputedStyle@mozilla@@QBE?AW4nsChangeHint@@ABV12@PAI@Z
+?CalcDifference@nsStyleDisplay@@QBE?AW4nsChangeHint@@ABU1@ABUnsStylePosition@@@Z
+??8?$StyleGenericTransform@U?$StyleGenericTransformOperation@UStyleAngle@mozilla@@MUStyleCSSPixelLength@2@HTStyleLengthPercentageUnion@2@@mozilla@@@mozilla@@QBE_NABU01@@Z
+?CalcDifference@nsStyleXUL@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsStyleUI@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsStyleUIReset@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsStylePosition@@QBE?AW4nsChangeHint@@ABU1@ABUnsStyleVisibility@@@Z
+?CalcDifference@nsStyleBorder@@QBE?AW4nsChangeHint@@ABU1@@Z
+_ZN5style5gecko8snapshot85_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..ServoElementSnapshot$GT$12attr_matches17h5fc3993d03328a82E
+Gecko_SnapshotHasAttr
+_ZN5style12invalidation7element11invalidator12Invalidation3new17hebc9ba5fd84905e1E
+Gecko_SnapshotAttrEquals
+?CalcDifference@nsStyleVisibility@@QBE?AW4nsChangeHint@@ABU1@@Z
+_ZN5style12invalidation7element20state_and_attributes26should_process_descendants17h8848b2347e72bbe5E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$21marker_pseudo_element17ha1728c8dddeb7566E
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$21before_pseudo_element17habfc6d0e3b1ee5eeE
+_ZN5style12invalidation7element11invalidator12Invalidation18effective_for_next17h829e5e14f6172e09E
+_ZN5style12invalidation7element11invalidator12Invalidation4kind17h9ce7f51f0031e33bE
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$20after_pseudo_element17h24339eb143d11c8cE
+?CalcDifference@nsStyleList@@QBE?AW4nsChangeHint@@ABU1@ABUnsStyleDisplay@@@Z
+?CalcDifference@nsStyleSVG@@QBE?AW4nsChangeHint@@ABU1@@Z
+??9?$StyleGenericSVGPaint@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UStyleComputedUrl@2@@mozilla@@QBE_NABU01@@Z
+?CalcDifference@nsStyleMargin@@QBE?AW4nsChangeHint@@ABU1@@Z
+??9?$StyleRect@U?$StyleGenericLengthPercentageOrAuto@TStyleLengthPercentageUnion@mozilla@@@mozilla@@@mozilla@@QBE_NABU01@@Z
+?CalcDifference@nsStylePadding@@QBE?AW4nsChangeHint@@ABU1@@Z
+?ResolveImage@?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QAEXAAVDocument@dom@2@PBU12@@Z
+??8?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QBE_NABU01@@Z
+??1nsStyleUIReset@@QAE@XZ
+?CalcDifference@nsStyleText@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsStyleFont@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsFont@@QBE?AW4MaxDifference@1@ABU1@@Z
+?CalcDifference@nsStyleImageLayers@@QBE?AW4nsChangeHint@@ABU1@W4LayerType@1@@Z
+_ZN5style10properties9longhands12justify_self16cascade_property17h7e57892cbede6150E
+_ZN5style10properties9longhands10align_self16cascade_property17ha70ca707e3eaf937E
+_ZN5style7context13CascadeInputs14new_from_style17hca21f1c2d5643489E
+_ZN5style7context24EagerPseudoCascadeInputs14new_from_style17ha017614c0f295951E
+?PlaceholderChanged@nsTextControlFrame@@QAEXPBVnsAttrValue@@0@Z
+?CalcDifference@nsStyleEffects@@QBE?AW4nsChangeHint@@ABU1@@Z
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$24needs_transitions_update17h88a2946544786c82E
+Gecko_ElementTransitions_Length
+?GetAnimationCollection@?$AnimationCollection@VCSSTransition@dom@mozilla@@@mozilla@@SAPAV12@PBVElement@dom@2@W4PseudoStyleType@2@@Z
+_ZN5style10properties19animated_properties14AnimationValue20from_computed_values17h91973f59a582ff69E
+??8?$StyleGenericTransformOperation@UStyleAngle@mozilla@@MUStyleCSSPixelLength@2@HTStyleLengthPercentageUnion@2@@mozilla@@QBE_NABU01@@Z
+?CalcDifference@nsStyleContent@@QBE?AW4nsChangeHint@@ABU1@@Z
+?IncrementAnimationGeneration@RestyleManager@mozilla@@QAEXXZ
+?AppendChange@nsStyleChangeList@@QAEXPAVnsIFrame@@PAVnsIContent@@W4nsChangeHint@@@Z
+?AssertNewStyleIsSane@nsIFrame@@QAEXAAVComputedStyle@mozilla@@@Z
+?EnumerateGenerationOnFrame@AnimationInfo@layers@mozilla@@SAXPBVnsIFrame@@PBVnsIContent@@ABV?$Array@W4DisplayItemType@@$02@3@V?$FunctionRef@$$A6A_NABV?$Maybe@_K@mozilla@@W4DisplayItemType@@@Z@3@@Z
+?LayerManagerForContent@nsContentUtils@@SA?AU?$already_AddRefed@VLayerManager@layers@mozilla@@@@PBVnsIContent@@@Z
+?OffMainThreadCompositingEnabled@gfxPlatform@@SA_NXZ
+?CreateCompositor@nsBaseWidget@@UAEXXZ
+?CreateCompositor@nsBaseWidget@@UAEXHH@Z
+?GetCompositorVsyncDispatcher@nsBaseWidget@@QAE?AU?$already_AddRefed@VCompositorVsyncDispatcher@mozilla@@@@XZ
+?CreateCompositorVsyncDispatcher@nsBaseWidget@@UAEXXZ
+??0CompositorVsyncDispatcher@mozilla@@QAE@XZ
+?RegisterCompositorVsyncDispatcher@VsyncSource@gfx@mozilla@@QAEXPAVCompositorVsyncDispatcher@3@@Z
+?EnsureGPUReady@GPUProcessManager@gfx@mozilla@@QAE_NXZ
+??0ClientLayerManager@layers@mozilla@@QAE@PAVnsIWidget@@@Z
+??0LayerManager@layers@mozilla@@QAE@XZ
+??0ShadowLayerForwarder@layers@mozilla@@IAE@PAVClientLayerManager@12@@Z
+??0?$ExpirationTrackerImpl@VActiveResource@layers@mozilla@@$02VPlaceholderLock@detail@@VPlaceholderAutoLock@5@@@QAE@IPBDPAVnsIEventTarget@@@Z
+?CreateTopLevelCompositor@GPUProcessManager@gfx@mozilla@@QAE?AU?$already_AddRefed@VCompositorSession@layers@mozilla@@@@PAVnsBaseWidget@@PAVLayerManager@layers@3@U?$ScaleFactor@UCSSPixel@mozilla@@ULayoutDevicePixel@2@@23@ABVCompositorOptions@73@_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@PA_N@Z
+?IsInitialized@CompositorManagerChild@layers@mozilla@@SA_N_K@Z
+?InitSameProcess@CompositorManagerChild@layers@mozilla@@SAXI_K@Z
+?RecvNotifyWebRenderError@CompositorManagerChild@layers@mozilla@@QAE?AVIPCResult@ipc@3@$$QBW4WebRenderError@wr@3@@Z
+?Open@IToplevelProtocol@ipc@mozilla@@QAE_NPAVMessageChannel@23@PAVnsISerialEventTarget@@W4Side@23@@Z
+?CreateSameProcessWidgetCompositorBridge@CompositorManagerChild@layers@mozilla@@SA?AU?$already_AddRefed@VCompositorBridgeChild@layers@mozilla@@@@PAVLayerManager@23@I@Z
+?Get@GPUProcessManager@gfx@mozilla@@SAPAV123@XZ
+?GetSingleton@ImageBridgeChild@layers@mozilla@@SA?AV?$RefPtr@VImageBridgeChild@layers@mozilla@@@@XZ
+?InitSameProcess@ImageBridgeChild@layers@mozilla@@SAXI@Z
+?DeallocShmemSection@FixedSizeSmallShmemSectionAllocator@layers@mozilla@@UAEXAAVShmemSection@23@@Z
+??0KnowsCompositor@layers@mozilla@@QAE@XZ
+?_Change_array@?$vector@IV?$allocator@I@std@@@std@@AAEXQAIII@Z
+?ShutDown@ImageBridgeChild@layers@mozilla@@SAXXZ
+?RecvReportFramesDropped@ImageBridgeChild@layers@mozilla@@QAE?AVIPCResult@ipc@3@ABVCompositableHandle@23@ABI@Z
+?FlushAllImages@ImageBridgeChild@layers@mozilla@@QAEXPAVImageClient@23@PAVImageContainer@23@@Z
+?InitSameProcess@VRManagerChild@gfx@mozilla@@SAXXZ
+?RecvPuppetCheckForCompletion@VRGPUParent@gfx@mozilla@@IAE?AVIPCResult@ipc@3@XZ
+?GetIdleDeadlineHint@VRManagerChild@gfx@mozilla@@SA?AVTimeStamp@3@V43@@Z
+?Run@?$runnable_args_base@$0A@@detail@mozilla@@UAG?AW4nsresult@@XZ
+??$MaybeSomething@AB_N@Promise@dom@mozilla@@AAEXAB_NP8012@AEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z@Z
+?CreateForContent@VRManagerParent@gfx@mozilla@@SA_N$$QAV?$Endpoint@VPVRManagerParent@gfx@mozilla@@@ipc@3@@Z
+?AllocPVRLayerParent@VRManagerParent@gfx@mozilla@@IAEPAVPVRLayerParent@23@ABI0@Z
+??4?$RefPtr@VVRThread@gfx@mozilla@@@@QAEAAV0@PAVVRThread@gfx@mozilla@@@Z
+??4CompositorWidgetInitData@widget@mozilla@@QAEAAV012@$$QAVWinCompositorWidgetInitData@12@@Z
+?CreateLocal@CompositorWidget@widget@mozilla@@SA?AV?$RefPtr@VCompositorWidget@widget@mozilla@@@@ABVCompositorWidgetInitData@23@ABVCompositorOptions@layers@3@PAVnsIWidget@@@Z
+??0InProcessWinCompositorWidget@widget@mozilla@@QAE@ABVWinCompositorWidgetInitData@12@ABVCompositorOptions@layers@2@PAVnsWindow@@@Z
+??0WinCompositorWidget@widget@mozilla@@QAE@ABVWinCompositorWidgetInitData@12@ABVCompositorOptions@layers@2@@Z
+??0CompositorWidget@widget@mozilla@@IAE@ABVCompositorOptions@layers@2@@Z
+?ForceSoftwareVsync@gfxPlatform@@SA_NXZ
+?CreateSameProcessWidgetCompositorBridge@CompositorManagerParent@layers@mozilla@@SA?AU?$already_AddRefed@VCompositorBridgeParent@layers@mozilla@@@@U?$ScaleFactor@UCSSPixel@mozilla@@ULayoutDevicePixel@2@@gfx@3@ABVCompositorOptions@23@_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@63@@Z
+??0PCompositorBridgeParent@layers@mozilla@@QAE@XZ
+??1ResolveOrRejectRunnable@ThenValueBase@?$MozPromise@UCollectedFrames@layers@mozilla@@W4nsresult@@$00@mozilla@@UAE@XZ
+?InitSameProcess@CompositorBridgeParent@layers@mozilla@@QAEXPAVCompositorWidget@widget@3@ABULayersId@23@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@UCompositionPayload@layers@mozilla@@@?$nsTArray_Impl@UCompositionPayload@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAUCompositionPayload@layers@mozilla@@PBU123@I@Z
+??0CompositorVsyncScheduler@layers@mozilla@@QAE@PAVCompositorVsyncSchedulerOwner@12@PAVCompositorWidget@widget@2@@Z
+?FromNow@SampleTime@layers@mozilla@@SA?AV123@XZ
+??0CompositorBridgeOptions@layers@mozilla@@QAE@$$QAVSameProcessWidgetCompositorOptions@12@@Z
+?AddCompositable@CompositableParentManager@layers@mozilla@@QAE?AV?$RefPtr@VCompositableHost@layers@mozilla@@@@ABVCompositableHandle@23@ABUTextureInfo@23@_N@Z
+??0PCompositorBridgeChild@layers@mozilla@@QAE@XZ
+?SendPCompositorBridgeConstructor@PCompositorManagerChild@layers@mozilla@@QAEPAVPCompositorBridgeChild@23@PAV423@ABVCompositorBridgeOptions@23@@Z
+?AddRef@CompositorBridgeChild@layers@mozilla@@UAGKXZ
+?GetAnimationStorage@CompositorBridgeParent@layers@mozilla@@QAEPAVCompositorAnimationStorage@23@XZ
+??1PCompositorBridgeChild@layers@mozilla@@UAE@XZ
+??1PCompositorManagerChild@layers@mozilla@@UAE@XZ
+?GetProcessMemoryReporter@GPUProcessManager@gfx@mozilla@@QAE?AV?$RefPtr@VMemoryReportingProcess@mozilla@@@@XZ
+?RootLayerTreeId@CompositorBridgeParent@layers@mozilla@@QAE?AULayersId@23@XZ
+?GetClientInfo@LoadInfo@net@mozilla@@UAEABV?$Maybe@VClientInfo@dom@mozilla@@@3@XZ
+?Initialize@ClientLayerManager@layers@mozilla@@QAE_NPAVPCompositorBridgeChild@23@_NPAUTextureFactoryIdentifier@23@@Z
+?AllocPLayerTransactionChild@CompositorBridgeChild@layers@mozilla@@AAEPAVPLayerTransactionChild@23@ABV?$nsTArray@W4LayersBackend@layers@mozilla@@@@ABULayersId@23@@Z
+??0PLayerTransactionChild@layers@mozilla@@QAE@XZ
+?OnMessageReceived@PCompositorManagerParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?SendPLayerTransactionConstructor@PCompositorBridgeChild@layers@mozilla@@QAEPAVPLayerTransactionChild@23@PAV423@ABV?$nsTArray@W4LayersBackend@layers@mozilla@@@@ABULayersId@23@@Z
+?AllocPCompositorBridgeParent@CompositorManagerParent@layers@mozilla@@QAE?AU?$already_AddRefed@VPCompositorBridgeParent@layers@mozilla@@@@ABVCompositorBridgeOptions@23@@Z
+?Write@?$IPDLParamTraits@PAVPLayerTransactionChild@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPLayerTransactionChild@layers@3@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VFileDescriptor@ipc@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVFileDescriptor@ipc@mozilla@@I@Z
+?ActorAlloc@PCompositorBridgeParent@layers@mozilla@@MAEXXZ
+?Read@?$IPDLParamTraits@VCompositorAnimations@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVCompositorAnimations@layers@3@@Z
+?AddRef@CompositorBridgeParent@layers@mozilla@@UAGKXZ
+?SendGetTextureFactoryIdentifier@PLayerTransactionChild@layers@mozilla@@QAE_NPAUTextureFactoryIdentifier@23@@Z
+??0Message@IPC@@QAE@XZ
+?ChannelSend@IProtocol@ipc@mozilla@@IAE_NPAVMessage@IPC@@0@Z
+??0SyncStackFrame@MessageChannel@ipc@mozilla@@QAE@PAV123@_N@Z
+??0NeuteredWindowRegion@ipc@mozilla@@QAE@_N@Z
+?OnMessageReceived@PCompositorBridgeParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?WaitForSyncNotify@MessageChannel@ipc@mozilla@@AAE_N_N@Z
+?NeuteredWindowProc@@YGJPAUHWND__@@IIJ@Z
+?RemoveManagee@PCompositorBridgeParent@layers@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?IsCurrentThreadMTA@mscom@mozilla@@YA_NXZ
+?GetCompositionManager@CompositorBridgeParent@layers@mozilla@@UAEPAVAsyncCompositionManager@23@PAVLayerTransactionParent@23@@Z
+??0BasicCompositor@layers@mozilla@@QAE@PAVCompositorBridgeParent@12@PAVCompositorWidget@widget@2@@Z
+??0Compositor@layers@mozilla@@QAE@PAVCompositorWidget@widget@2@PAVCompositorBridgeParent@12@@Z
+??1BasicCompositor@layers@mozilla@@MAE@XZ
+?StartRemoteDrawingInRegion@CompositorWidgetParent@widget@mozilla@@UAE?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@AAV?$IntRegionTyped@ULayoutDevicePixel@mozilla@@@gfx@3@PAW4BufferMode@layers@3@@Z
+?InitializeDirectDraw@DeviceManagerDx@gfx@mozilla@@QAEXXZ
+??0LayerManagerComposite@layers@mozilla@@QAE@PAVCompositor@12@@Z
+??0Diagnostics@layers@mozilla@@QAE@XZ
+?GetFrameOverlayString@Diagnostics@layers@mozilla@@QAE?AV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@ABUGPUStats@23@@Z
+??0AsyncCompositionManager@layers@mozilla@@QAE@PAVCompositorBridgeParent@12@PAVHostLayerManager@12@@Z
+?GetCompositorBridgeParentFromWindowId@CompositorBridgeParent@layers@mozilla@@SA?AV?$RefPtr@VCompositorBridgeParent@layers@mozilla@@@@ABUWrWindowId@wr@3@@Z
+?_Reallocate_exactly@?$vector@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@V?$allocator@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@@2@@std@@AAEXI@Z
+?assign@?$vector@V?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CB_KV?$unique_ptr@UAnimationStorageData@layers@mozilla@@U?$default_delete@UAnimationStorageData@layers@mozilla@@@std@@@std@@@std@@@std@@@std@@@std@@V?$allocator@V?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CB_KV?$unique_ptr@UAnimationStorageData@layers@mozilla@@U?$default_delete@UAnimationStorageData@layers@mozilla@@@std@@@std@@@std@@@std@@@std@@@std@@@2@@std@@QAEXIABV?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CB_KV?$unique_ptr@UAnimationStorageData@layers@mozilla@@U?$default_delete@UAnimationStorageData@layers@mozilla@@@std@@@std@@@std@@@std@@@std@@@2@@Z
+?assign@?$vector@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@V?$allocator@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@@2@@std@@QAEXIABV?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@2@@Z
+??0LayerTransactionParent@layers@mozilla@@QAE@PAVHostLayerManager@12@PAVCompositorBridgeParentBase@12@PAVCompositorAnimationStorage@12@ULayersId@12@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@2@@Z
+??0PLayerTransactionParent@layers@mozilla@@QAE@XZ
+?RecvGetIconForExtension@ContentParent@dom@mozilla@@AAE?AVIPCResult@ipc@3@ABV?$nsTString@D@@ABIPAV?$nsTArray@E@@@Z
+?OnMessageReceived@PCompositorManagerParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@AAPAV78@@Z
+?OnMessageReceived@PLayerTransactionParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@AAPAV78@@Z
+?RecvGetTextureFactoryIdentifier@LayerTransactionParent@layers@mozilla@@IAE?AVIPCResult@ipc@3@PAUTextureFactoryIdentifier@23@@Z
+?GetTextureFactoryIdentifier@LayerManagerComposite@layers@mozilla@@UAE?AUTextureFactoryIdentifier@23@XZ
+?GetDependentFrame@nsDisplayBackgroundColor@@UAEPAVnsIFrame@@XZ
+?Write@?$ParamTraits@UTextureFactoryIdentifier@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABUTextureFactoryIdentifier@layers@mozilla@@@Z
+?GetType@MessageTask@MessageChannel@ipc@mozilla@@UAG?AW4nsresult@@PAI@Z
+?NotifyWorkerThread@MessageChannel@ipc@mozilla@@AAEXXZ
+??4Pickle@@QAEAAV0@$$QAV0@@Z
+??1SyncStackFrame@MessageChannel@ipc@mozilla@@QAE@XZ
+?Read@?$ParamTraits@UTextureFactoryIdentifier@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUTextureFactoryIdentifier@layers@mozilla@@@Z
+?SetShadowManager@ShadowLayerForwarder@layers@mozilla@@QAEXPAVPLayerTransactionChild@23@@Z
+?IdentifyTextureHost@KnowsCompositor@layers@mozilla@@QAEXABUTextureFactoryIdentifier@23@@Z
+?CreateSyncObjectClientForContentDevice@SyncObjectClient@layers@mozilla@@SA?AU?$already_AddRefed@VSyncObjectClient@layers@mozilla@@@@PAX@Z
+?GetTextureFactoryIdentifier@ClientLayerManager@layers@mozilla@@UAE?AUTextureFactoryIdentifier@23@XZ
+?IdentifyCompositorTextureHost@ImageBridgeChild@layers@mozilla@@SAXABUTextureFactoryIdentifier@23@@Z
+?GetImageDevice@DeviceManagerDx@gfx@mozilla@@QAE?AV?$RefPtr@UID3D11Device@@@@XZ
+?WindowUsesOMTC@nsWindow@@MAEXXZ
+?GetCompositorSideAPZTestData@ClientLayerManager@layers@mozilla@@QBEXPAVAPZTestData@23@@Z
+?NotifyCompositorCreated@gfxPlatform@@QAEXW4LayersBackend@layers@mozilla@@@Z
+?AsKnowsCompositor@ClientLayerManager@layers@mozilla@@UAEPAVKnowsCompositor@23@XZ
+?SetSizeConstraints@nsBaseWidget@@UAEXABUSizeConstraints@widget@mozilla@@@Z
+?EnumerateGenerationForDedicatedLayers@FrameLayerBuilder@mozilla@@SAXPBVnsIFrame@@V?$FunctionRef@$$A6A_NABV?$Maybe@_K@mozilla@@W4DisplayItemType@@@Z@2@@Z
+?GetAnimationPropertiesForCompositor@nsLayoutUtils@@SA?AVnsCSSPropertyIDSet@@PBVnsIFrame@@@Z
+?UpdatePseudoElementStyles@nsBlockFrame@@QAEXAAVServoRestyleState@mozilla@@@Z
+?DoUpdateStyleOfOwnedAnonBoxes@nsIFrame@@IAEXAAVServoRestyleState@mozilla@@@Z
+?UpdateStyleOfChildAnonBox@nsIFrame@@IAEXPAV1@AAVServoRestyleState@mozilla@@@Z
+?UpdateStyleOfOwnedChildFrame@nsIFrame@@SA?AW4nsChangeHint@@PAV1@PAVComputedStyle@mozilla@@AAVServoRestyleState@4@ABV?$Maybe@PAVComputedStyle@mozilla@@@4@@Z
+??0AutoTimelineMarker@mozilla@@QAE@PAVnsIDocShell@@PBD@Z
+?Seek@ExplicitChildIterator@dom@mozilla@@QAE_NPBVnsIContent@@@Z
+?Get@ExplicitChildIterator@dom@mozilla@@QBEPAVnsIContent@@XZ
+?GetPreviousChild@ExplicitChildIterator@dom@mozilla@@QAEPAVnsIContent@@XZ
+?GetBeforeFrame@nsLayoutUtils@@SAPAVnsIFrame@@PBVnsIContent@@@Z
+?GetMarkerFrame@nsLayoutUtils@@SAPAVnsIFrame@@PBVnsIContent@@@Z
+?GetAfterFrame@nsLayoutUtils@@SAPAVnsIFrame@@PBVnsIContent@@@Z
+?LastContinuationWithChild@nsLayoutUtils@@SAPAVnsContainerFrame@@PAV2@@Z
+?LastContinuation@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?FirstContinuation@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?IsFixedPosContainingBlock@nsStyleDisplay@@QBE_NPBVnsIFrame@@@Z
+?NS_NewTextBoxFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?GetMenuAccessKey@nsMenuBarListener@@SA?AW4nsresult@@PAH@Z
+?IsMenuList@nsMenuPopupFrame@@QAE_NXZ
+?InsertFrames@nsBoxFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@PBVnsLineList_iterator@@AAVnsFrameList@@@Z
+?RecreateFramesForContent@nsCSSFrameConstructor@@AAEXPAVnsIContent@@W4InsertionKind@1@@Z
+?DrainSelfOverflowList@nsBlockFrame@@UAE_NXZ
+?GetChildList@nsBlockFrame@@UBEABVnsFrameList@@W4FrameChildListID@layout@mozilla@@@Z
+?CanContinueTextRun@nsInlineFrame@@UBE_NXZ
+?InsertFrames@nsBlockFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@PBVnsLineList_iterator@@AAVnsFrameList@@@Z
+?RestoreState@nsHTMLScrollFrame@@UAG?AW4nsresult@@PAVPresState@mozilla@@@Z
+?GetTailContinuation@nsIFrame@@QAEPAV1@XZ
+?GetNextContinuationOrIBSplitSibling@nsLayoutUtils@@SAPAVnsIFrame@@PBV2@@Z
+?DestroyFrom@nsButtonBoxFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?GetFrameId@nsButtonBoxFrame@@UBE?AW4FrameIID@nsQueryFrame@@XZ
+??_GnsButtonBoxFrame@@UAEPAXI@Z
+?NS_NewBRFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?SchedulePaint@nsIFrame@@QAEXW4PaintType@1@_N@Z
+?NS_NewSubDocumentFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?CalcAndCacheConsumedBSize@nsSplittableFrame@@IAEHXZ
+?CreateView@nsIFrame@@QAEXXZ
+?GetViewInternal@ViewportFrame@mozilla@@MBEPAVnsView@@XZ
+?SetViewVisibility@nsViewManager@@QAEXPAVnsView@@W4nsViewVisibility@@@Z
+?FindSiblingViewFor@nsLayoutUtils@@SAPAVnsView@@PAV2@PAVnsIFrame@@@Z
+?DoCompareTreePosition@nsLayoutUtils@@SAHPAVnsIContent@@0HHPBV2@@Z
+?SetTimeClient@SMILTimedElement@mozilla@@QAEXPAVSMILAnimationFunction@2@@Z
+?GetDetachedSubdocFrame@nsFrameLoader@@QBEPAVnsIFrame@@PAPAVDocument@dom@mozilla@@@Z
+?SetDetachedSubdocFrame@nsFrameLoader@@QAEXPAVnsIFrame@@PAVDocument@dom@mozilla@@@Z
+?AddWeakFrame@PresShell@mozilla@@QAEXPAVWeakFrame@@@Z
+?QueryFrame@nsSubDocumentFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?IsFrameOfType@nsSubDocumentFrame@@UBE_NI@Z
+?AppendFrames@nsAbsoluteContainingBlock@@QAEXPAVnsIFrame@@W4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?Flush@OverflowChangedTracker@mozilla@@QAEXXZ
+?AssertHeapIsIdle@js@@YAXXZ
+?ShowViewer@nsSubDocumentFrame@@IAEXXZ
+?Show@nsFrameLoader@@QAE_NPAVnsSubDocumentFrame@@@Z
+?GetSubdocumentSize@nsSubDocumentFrame@@QAE?AU?$IntSizeTyped@UScreenPixel@mozilla@@@gfx@mozilla@@XZ
+?MapScrollingAttribute@nsGenericHTMLFrameElement@@SA?AW4ScrollbarPreference@mozilla@@PBVnsAttrValue@@@Z
+?SetScrollbarPreference@nsDocShell@@QAEXW4ScrollbarPreference@mozilla@@@Z
+?GetPrimaryFrameOfOwningContent@nsFrameLoader@@QBEPAVnsIFrame@@XZ
+?EnsureInnerView@nsSubDocumentFrame@@QAEPAVnsView@@XZ
+?SetVisibility@nsDocShell@@UAG?AW4nsresult@@_N@Z
+?AsXULMenuList@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIDOMXULMenuListElement@@@@XZ
+?Call@LifecycleGetCustomInterfaceCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@1V?$MutableHandle@PAVJSObject@@@6@AAVErrorResult@3@@Z
+?GetSubDocumentFor@Document@dom@mozilla@@QBEPAV123@PAVnsIContent@@@Z
+?IsFocusable@nsIFrame@@UAE_NPAH_N@Z
+?IsVisibleConsideringAncestors@nsIFrame@@QBE_NI@Z
+?AsXULControl@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIDOMXULControlElement@@@@XZ
+?GetTabIndexAttrValue@Element@dom@mozilla@@QAE?AV?$Maybe@H@3@XZ
+?IsBeingDestroyed@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?FocusPlugin@nsFocusManager@@QAE?AW4nsresult@@PAVElement@dom@mozilla@@@Z
+?IsFrozen@nsGlobalWindowInner@@UBE_NXZ
+?GetVisibility@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?AdjustWindowFocus@nsFocusManager@@IAEXPAVBrowsingContext@dom@mozilla@@_N1@Z
+?SetFocusedElement@nsGlobalWindowInner@@UAEXPAVElement@dom@mozilla@@I_N@Z
+?StopVRActivity@nsGlobalWindowInner@@QAEXXZ
+?GetEditable@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?ScrollContentIntoView@PresShell@mozilla@@QAE?AW4nsresult@@PAVnsIContent@@UScrollAxis@2@1W4ScrollFlags@2@@Z
+?RecalcQuotesAndCounters@nsCSSFrameConstructor@@QAEXXZ
+?NowUnclamped@Performance@dom@mozilla@@QBENXZ
+?IncrementDisableRefreshCount@nsViewManager@@AAEPAV1@XZ
+?UsesMobileViewportSizing@PresShell@mozilla@@QBE_NXZ
+?CreateReferenceRenderingContext@PresShell@mozilla@@QAE?AU?$already_AddRefed@VgfxContext@@@@XZ
+?ScreenReferenceDrawTarget@gfxPlatform@@QAE?AV?$RefPtr@VDrawTarget@gfx@mozilla@@@@XZ
+?CreateOrNull@gfxContext@@SA?AU?$already_AddRefed@VgfxContext@@@@PAVDrawTarget@gfx@mozilla@@ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@45@@Z
+?BlurInsetBox@gfxAlphaBoxBlur@@QAEXPAVgfxContext@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@1ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@45@ABUsRGBColor@45@PBURectCornerRadii@45@1ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@45@@Z
+?setMatrix@SkCanvas@@QAEXABVSkMatrix@@@Z
+??0ReflowInput@mozilla@@QAE@PAVnsPresContext@@PAVnsIFrame@@PAVgfxContext@@ABVLogicalSize@1@V?$EnumSet@W4InitFlag@ReflowInput@mozilla@@E@1@@Z
+?Init@ReflowInput@mozilla@@QAEXPAVnsPresContext@@ABV?$Maybe@VLogicalSize@mozilla@@@2@ABV?$Maybe@VLogicalMargin@mozilla@@@2@2@Z
+?ShouldReflowAllKids@ReflowInput@mozilla@@QBE_NXZ
+?AppendDirectlyOwnedAnonBoxes@nsTableCellFrame@@UAEXAAV?$nsTArray@UOwnedAnonBox@nsIFrame@@@@@Z
+?FontSizeInflationEnabled@nsLayoutUtils@@SA_NPAVnsPresContext@@@Z
+?CanBeDynamicReflowRoot@nsIFrame@@QBE_NXZ
+?SetComputedHeight@ReflowInput@mozilla@@QAEXH@Z
+?ReflowStarted@nsPresContext@@QAEX_N@Z
+?AdjustViewportSizeForFixedPosition@ViewportFrame@mozilla@@QBE?AUnsSize@@ABUnsRect@@@Z
+??0ReflowInput@mozilla@@QAE@PAVnsPresContext@@ABU01@PAVnsIFrame@@ABVLogicalSize@1@ABV?$Maybe@VLogicalSize@mozilla@@@1@V?$EnumSet@W4InitFlag@ReflowInput@mozilla@@E@1@V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@1@@Z
+?ComputeSize@nsIFrame@@UAE?AUSizeComputationResult@1@PAVgfxContext@@VWritingMode@mozilla@@ABVLogicalSize@5@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@5@@Z
+?ReflowChild@nsContainerFrame@@QAEXPAVnsIFrame@@PAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@5@HHW4ReflowChildFlags@2@AAVnsReflowStatus@@PAVnsOverflowContinuationTracker@@@Z
+?PositionChildViews@nsContainerFrame@@SAXPAVnsIFrame@@@Z
+?MoveViewTo@nsViewManager@@QAEXPAVnsView@@HH@Z
+?WriteDebugInfo@nsDisplaySolidColor@@UAEXAAV?$basic_stringstream@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@@Z
+?ComputeISizeValue@nsIFrame@@QAEHHHABTStyleLengthPercentageUnion@mozilla@@@Z
+?ReflowChild@nsContainerFrame@@QAEXPAVnsIFrame@@PAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@5@ABVWritingMode@5@ABVLogicalPoint@5@ABUnsSize@@W4ReflowChildFlags@2@AAVnsReflowStatus@@PAVnsOverflowContinuationTracker@@@Z
+?Reflow@nsBlockFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+??0BlockReflowInput@mozilla@@QAE@ABUReflowInput@1@PAVnsPresContext@@PAVnsBlockFrame@@_N33H@Z
+?CanHaveOverflowMarkers@TextOverflow@css@mozilla@@SA_NPAVnsIFrame@@@Z
+?GetMetricsFor@nsDeviceContext@@QAE?AU?$already_AddRefed@VnsFontMetrics@@@@ABUnsFont@@ABUParams@nsFontMetrics@@@Z
+??0nsFontMetrics@@QAE@ABUnsFont@@ABUParams@0@PAVnsDeviceContext@@@Z
+??0gfxFontStyle@@QAE@VFontSlantStyle@mozilla@@VFontWeight@2@VFontStretch@2@NM_N333I@Z
+??0gfxFontGroup@@QAE@ABVFontFamilyList@mozilla@@PBUgfxFontStyle@@PAVnsAtom@@_NPAVgfxTextPerfMetrics@@PAUFontMatchingStats@@PAVgfxUserFontSet@@N@Z
+?BuildFontList@gfxFontGroup@@IAEXXZ
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@W4HyphenType@gfxTextRun@@UnsTArrayInfallibleAllocator@@@@AAEPAW4HyphenType@gfxTextRun@@I@Z
+??1FamilyFace@gfxFontGroup@@QAE@XZ
+?GetFirstValidFont@gfxFontGroup@@QAEPAVgfxFont@@IPAW4StyleGenericFontFamily@mozilla@@@Z
+?FindOrMakeFont@gfxFontEntry@@QAEPAVgfxFont@@PBUgfxFontStyle@@PAVgfxCharacterMap@@@Z
+??1CaretPosition@nsIFrame@@QAE@XZ
+??0gfxDWriteFont@@QAE@ABV?$RefPtr@VUnscaledFontDWrite@gfx@mozilla@@@@PAVgfxFontEntry@@PBUgfxFontStyle@@V?$RefPtr@UIDWriteFontFace@@@@W4AntialiasOption@gfxFont@@@Z
+??0gfxFont@@IAE@ABV?$RefPtr@VUnscaledFont@gfx@mozilla@@@@PAVgfxFontEntry@@PBUgfxFontStyle@@W4AntialiasOption@0@@Z
+?IsCJKFont@gfxDWriteFontEntry@@QAE_NXZ
+hb_blob_create
+hb_blob_destroy
+?GetFontTable@gfxFontEntry@@UAEPAUhb_blob_t@@I@Z
+?UpdateSystemTextQuality@gfxDWriteFont@@SAXXZ
+?initialized@OffThreadPromiseRuntimeState@js@@QBE_NXZ
+?SanitizeMetrics@gfxFont@@IAEXPAUMetrics@1@_N@Z
+??$AssignInternal@UnsTArrayFallibleAllocator@@M@?$nsTArray_Impl@MUnsTArrayFallibleAllocator@@@@AAE_NPBMI@Z
+?Load@gfxUserFontEntry@@QAEXXZ
+?ClearLineClampEllipsis@nsBlockFrame@@QAEXXZ
+?ReparentFloats@nsBlockFrame@@QAEXPAVnsIFrame@@PAV1@_N@Z
+?IsSelfEmpty@nsBlockFrame@@UAE_NXZ
+?ClearFloats@BlockReflowInput@mozilla@@QAE?AV?$tuple@HW4ClearFloatsResult@BlockReflowInput@mozilla@@@std@@HW4StyleClear@2@PAVnsIFrame@@@Z
+?GetFlowArea@nsFloatManager@@QBE?AUnsFlowAreaRect@@VWritingMode@mozilla@@HHW4BandInfoType@1@W4ShapeType@1@VLogicalRect@4@PAUSavedState@1@ABUnsSize@@@Z
+?ComputeBlockAvailSpace@BlockReflowInput@mozilla@@QAEXPAVnsIFrame@@ABUnsFlowAreaRect@@_NAAVLogicalRect@2@@Z
+?Reflow@nsBoxFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?SetXULBounds@nsIFrame@@UAEXAAVnsBoxLayoutState@@ABUnsRect@@_N@Z
+?HasChildrenOnlyTransform@SVGViewportFrame@mozilla@@UBE_NPAV?$BaseMatrix@M@gfx@2@@Z
+?MarkSubtreeDirty@nsIFrame@@QAEXXZ
+?DoXULLayout@nsBoxFrame@@UAG?AW4nsresult@@AAVnsBoxLayoutState@@@Z
+?XULLayout@nsSprocketLayout@@UAG?AW4nsresult@@PAVnsIFrame@@AAVnsBoxLayoutState@@@Z
+?GetXULClientRect@nsIFrame@@QAE?AW4nsresult@@AAUnsRect@@@Z
+?PopulateBoxSizes@nsSprocketLayout@@MAEXPAVnsIFrame@@AAVnsBoxLayoutState@@AAPAVnsBoxSize@@AAH33@Z
+?GetXULPrefSize@nsBoxFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetXULPrefSize@nsSprocketLayout@@UAE?AUnsSize@@PAVnsIFrame@@AAVnsBoxLayoutState@@@Z
+?GetXULMinSize@nsPlaceholderFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?AddXULMargin@nsBoxLayout@@UAEXPAVnsIFrame@@AAUnsSize@@@Z
+?AddXULBorderAndPadding@nsBoxLayout@@UAEXPAVnsIFrame@@AAUnsSize@@@Z
+?GetXULMaxSize@nsSprocketLayout@@UAE?AUnsSize@@PAVnsIFrame@@AAVnsBoxLayoutState@@@Z
+?GetXULMinSize@nsSprocketLayout@@UAE?AUnsSize@@PAVnsIFrame@@AAVnsBoxLayoutState@@@Z
+?GetFrameState@nsSprocketLayout@@MAEXPAVnsIFrame@@AAW4nsFrameState@@@Z
+?GetXULFlex@nsIFrame@@UAEHXZ
+?AddXULFlex@nsIFrame@@SA_NPAV1@AAH@Z
+?GetXULMinSize@nsBoxFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetXULFlex@nsBoxFrame@@UAEHXZ
+?GetXULMaxSize@nsBoxFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetAscent@nsSprocketLayout@@UAEHPAVnsIFrame@@AAVnsBoxLayoutState@@@Z
+?GetXULBoxAscent@nsIFrame@@UAEHAAVnsBoxLayoutState@@@Z
+?IsXULCollapsed@nsIFrame@@UAE_NXZ
+?VerticalAlignEnum@nsIFrame@@QBE?AV?$Maybe@W4StyleVerticalAlignKeyword@mozilla@@@mozilla@@XZ
+?GetXULBorderAndPadding@nsIFrame@@UAE?AW4nsresult@@AAUnsMargin@@@Z
+?GetXULMargin@nsIFrame@@UAE?AW4nsresult@@AAUnsMargin@@@Z
+?SetComputedWidth@ReflowInput@mozilla@@QAEXH@Z
+?GetXULPadding@nsIFrame@@UAE?AW4nsresult@@AAUnsMargin@@@Z
+?GetXULBorder@nsIFrame@@UAE?AW4nsresult@@AAUnsMargin@@@Z
+?ComputeAutoSize@nsIFrame@@MAE?AVLogicalSize@mozilla@@PAVgfxContext@@VWritingMode@3@ABV23@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@3@@Z
+?Reflow@nsIFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?FinishReflowChild@nsContainerFrame@@SAXPAVnsIFrame@@PAVnsPresContext@@ABVReflowOutput@mozilla@@PBUReflowInput@5@HHW4ReflowChildFlags@2@@Z
+?DidReflow@nsIFrame@@UAEXPAVnsPresContext@@PBUReflowInput@mozilla@@@Z
+?GetFirstLineBaseline@nsLayoutUtils@@SA_NVWritingMode@mozilla@@PBVnsIFrame@@PAH@Z
+?GetFirstLinePosition@nsLayoutUtils@@SA_NVWritingMode@mozilla@@PBVnsIFrame@@PAULinePosition@1@@Z
+?GetLogicalBaseline@nsIFrame@@UBEHVWritingMode@mozilla@@@Z
+?GetFontMetricsForFrame@nsLayoutUtils@@SA?AU?$already_AddRefed@VnsFontMetrics@@@@PBVnsIFrame@@M@Z
+?Equals@nsFont@@QBE_NABU1@@Z
+?UpdateUserFonts@gfxFontGroup@@QAEXXZ
+?MaxHeight@nsFontMetrics@@QAEHXZ
+?GetUnderlineOffset@gfxFontGroup@@QAENXZ
+?GetHorizontalMetrics@gfxDWriteFont@@MAEABUMetrics@gfxFont@@XZ
+?AppUnitWidthOfStringBidi@nsLayoutUtils@@SAHPB_SIPBVnsIFrame@@AAVnsFontMetrics@@AAVgfxContext@@@Z
+?GetMaxStringLength@nsFontMetrics@@QAEHXZ
+?GetWidth@nsFontMetrics@@QAEHPB_SIPAVDrawTarget@gfx@mozilla@@@Z
+?MakeTextRun@gfxFontGroup@@QAE?AU?$already_AddRefed@VgfxTextRun@@@@PB_SIPBUParameters@gfxTextRunFactory@@W4ShapedTextFlags@gfx@mozilla@@W4Flags@nsTextFrameUtils@@PAVgfxMissingFontRecorder@@@Z
+?TestCharacterMap@gfxFontEntry@@MAE_NI@Z
+?ReadCMAP@gfxFontUtils@@SA?AW4nsresult@@PBEIAAVgfxSparseBitSet@@AAI@Z
+?FindPreferredSubtable@gfxFontUtils@@SAIPBEIPAI1@Z
+?clear@gfxSparseBitSet@@QAEXI@Z
+?GetShmemCharMap@gfxPlatformFontList@@QAE?AUPointer@fontlist@mozilla@@PBVgfxSparseBitSet@@@Z
+?Intersect@?$BaseRect@NU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@U?$PointTyped@UUnknownUnits@gfx@mozilla@@N@23@U?$SizeTyped@UUnknownUnits@gfx@mozilla@@N@23@U?$MarginTyped@UUnknownUnits@gfx@mozilla@@N@23@@gfx@mozilla@@QBE?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@23@ABU423@@Z
+?NotifyReleased@gfxCharacterMap@@IAEXXZ
+??$SplitAndInitTextRun@_S@gfxFont@@QAE_NPAVDrawTarget@gfx@mozilla@@PAVgfxTextRun@@PB_SIIW4Script@unicode@3@PAVnsAtom@@W4ShapedTextFlags@23@@Z
+?CheckForGraphiteTables@gfxFontEntry@@MAEXXZ
+?HasFontTable@gfxFontEntry@@UAE_NI@Z
+?GetGlyphHAdvance@gfxFont@@QAENPAVDrawTarget@gfx@mozilla@@G@Z
+hb_face_create_for_tables
+hb_ot_layout_has_substitution
+hb_set_intersect
+hb_buffer_destroy
+?NotifyGlyphsChanged@gfxFontEntry@@QAEXXZ
+hb_ot_tags_from_script_and_language
+?s_InitEntry@?$nsTHashtable@VnsUint32HashKey@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+hb_ot_layout_table_get_script_tags
+hb_font_destroy
+hb_set_create
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@UDetailedGlyph@gfxShapedText@@UnsTArrayInfallibleAllocator@@@@AAEPAUDetailedGlyph@gfxShapedText@@I@Z
+hb_ot_layout_language_get_required_feature
+hb_ot_layout_language_get_feature_indexes
+hb_ot_layout_language_get_feature_tags
+hb_ot_layout_feature_get_lookups
+?add@hb_set_t@@QAEXI@Z
+hb_ot_layout_script_get_language_tags
+?next@hb_set_t@@QBE_NPAI@Z
+hb_ot_layout_lookup_collect_glyphs
+hb_set_destroy
+hb_set_has
+hb_set_clear
+hb_ot_layout_has_positioning
+hb_face_destroy
+?HBFaceDeletedCallback@gfxFontEntry@@KAXPAX@Z
+?s_HashKey@?$nsTHashtable@VCacheHashEntry@gfxFont@@@@KAIPBX@Z
+?EnsureComplexGlyph@gfxShapedText@@IAEXIAAVCompressedGlyph@1@@Z
+??$GetShapedWord@E@gfxFont@@QAEPAVgfxShapedWord@@PAVDrawTarget@gfx@mozilla@@PBEIIW4Script@unicode@4@PAVnsAtom@@_NHW4ShapedTextFlags@34@W4RoundingFlags@gfxFontShaper@@PAVgfxTextPerfMetrics@@@Z
+?ShapeText@gfxFont@@MAE_NPAVDrawTarget@gfx@mozilla@@PB_SIIW4Script@unicode@4@PAVnsAtom@@_NW4RoundingFlags@gfxFontShaper@@PAVgfxShapedText@@@Z
+??0gfxHarfBuzzShaper@@QAE@PAVgfxFont@@@Z
+?Initialize@gfxHarfBuzzShaper@@QAE_NXZ
+hb_font_funcs_create
+hb_font_funcs_set_nominal_glyph_func
+hb_font_funcs_set_variation_glyph_func
+hb_font_funcs_set_glyph_h_advance_func
+hb_font_funcs_set_glyph_v_advance_func
+hb_font_funcs_set_glyph_v_origin_func
+hb_font_funcs_set_glyph_extents_func
+hb_font_funcs_set_glyph_contour_point_func
+hb_font_funcs_set_glyph_h_kerning_func
+hb_unicode_funcs_create
+hb_unicode_funcs_set_mirroring_func
+hb_unicode_funcs_set_script_func
+hb_unicode_funcs_set_general_category_func
+hb_unicode_funcs_set_combining_class_func
+hb_unicode_funcs_set_compose_func
+hb_unicode_funcs_set_decompose_func
+hb_buffer_create
+hb_buffer_set_unicode_funcs
+hb_blob_reference
+?CreateHBFont@gfxHarfBuzzShaper@@SAPAUhb_font_t@@PAVgfxFont@@PAUhb_font_funcs_t@@PAUFontCallbackData@1@@Z
+?GetHBFace@gfxFontEntry@@QAEPAUhb_face_t@@XZ
+hb_font_create
+hb_font_set_funcs
+hb_font_set_scale
+?GetVariationsForStyle@gfxFontEntry@@QAEXAAV?$nsTArray@UFontVariation@gfx@mozilla@@@@ABUgfxFontStyle@@@Z
+?HasVariations@gfxDWriteFontEntry@@UAE_NXZ
+?MergeFontFeatures@gfxFontShaper@@SAXPBUgfxFontStyle@@ABV?$nsTArray@UgfxFontFeature@@@@_NABV?$nsTSubstring@D@@2P6AXABIAAIPAX@Z6@Z
+hb_language_from_string
+hb_buffer_add_utf16
+hb_shape_full
+hb_ot_math_get_glyph_variants
+hb_ot_layout_table_select_script
+hb_ot_layout_table_find_script
+hb_ot_layout_language_find_feature
+hb_ot_layout_collect_lookups
+?reverse_range@hb_buffer_t@@QAEXII@Z
+?GetNominalGlyph@gfxHarfBuzzShaper@@QBEII@Z
+?AgentClusterId@ServiceWorkerRegistrationInfo@dom@mozilla@@QBEABUnsID@@XZ
+hb_buffer_get_glyph_positions
+?FilterIfIgnorable@gfxShapedText@@QAE_NII@Z
+hb_buffer_clear_contents
+?GetAdvanceWidth@gfxTextRun@@QBENURange@1@PAVPropertyProvider@1@PAUSpacing@gfxFont@@@Z
+?ToDeviceColor@gfx@mozilla@@YA?AUDeviceColor@12@ABUStyleRGBA@2@@Z
+?MaxAscent@nsFontMetrics@@QAEHXZ
+?AddXULBorderAndPadding@nsIFrame@@SAXPAV1@AAUnsSize@@@Z
+?AddXULPrefSize@nsIFrame@@SA_NPAV1@AAUnsSize@@AA_N2@Z
+?SetCurrentMenuItem@nsMenuPopupFrame@@UAG?AW4nsresult@@PAVnsMenuFrame@@@Z
+?AddXULMinSize@nsIFrame@@SA_NPAV1@AAUnsSize@@AA_N2@Z
+?GetXULFlex@nsLeafBoxFrame@@UAEHXZ
+?GetXULMaxSize@nsLeafBoxFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetUncachedXULMaxSize@nsIFrame@@IAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetXULPrefSize@nsLeafBoxFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetUncachedXULMinSize@nsIFrame@@IAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetXULPadding@nsHTMLScrollFrame@@UAE?AW4nsresult@@AAUnsMargin@@@Z
+?GetXULPrefSize@nsIFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?PushChildren@nsContainerFrame@@IAEXPAVnsIFrame@@0@Z
+?Duplicate@InternalScrollPortEvent@mozilla@@UBEPAVWidgetEvent@2@XZ
+??0?$CSSOrderAwareFrameIteratorT@VIterator@nsFrameList@@@mozilla@@QAE@PAVnsIFrame@@W4FrameChildListID@layout@1@W4ChildFilter@01@W4OrderState@01@W4OrderingProperty@01@@Z
+?GridItemCB@nsGridContainerFrame@@SAABUnsRect@@PAVnsIFrame@@@Z
+?SmoothScrollVisual@ScrollFrameHelper@mozilla@@QAE_NABUnsPoint@@W4ScrollOffsetUpdateType@FrameMetrics@layers@2@@Z
+?Next@?$CSSOrderAwareFrameIteratorT@VIterator@nsFrameList@@@mozilla@@QAEXXZ
+?GetGridContainerFrame@nsGridContainerFrame@@SAPAV1@PAVnsIFrame@@@Z
+?IntrinsicForAxis@nsLayoutUtils@@SAHW4PhysicalAxis@mozilla@@PAVgfxContext@@PAVnsIFrame@@W4IntrinsicISizeType@3@ABV?$Maybe@VLogicalSize@mozilla@@@3@IH@Z
+?GetPrefISize@nsBoxFrame@@UAEHPAVgfxContext@@@Z
+?IntrinsicISizeOffsets@nsIFrame@@UAE?AUIntrinsicSizeOffsetData@1@H@Z
+??$ResolveToLength@$00@nsLayoutUtils@@SAHABTStyleLengthPercentageUnion@mozilla@@H@Z
+??0AutoMaybeDisableFontInflation@layout@mozilla@@QAE@PAVnsIFrame@@@Z
+?GetPrefISize@nsBlockFrame@@UAEHPAVgfxContext@@@Z
+?AddInlinePrefISize@nsTextFrame@@UAEXPAVgfxContext@@PAUInlinePrefISizeData@nsIFrame@@@Z
+?IsFrameOfType@nsTextFrame@@UBE_NI@Z
+?EnsureTextRun@nsTextFrame@@QAE?AVgfxSkipCharsIterator@@W4TextRunType@1@PAVDrawTarget@gfx@mozilla@@PAVnsIFrame@@PBVnsLineList_iterator@@PAI@Z
+??0nsLineBreaker@@QAE@XZ
+??0nsBlockInFlowLineIterator@@QAE@PAVnsBlockFrame@@PA_N@Z
+?Prev@nsBlockInFlowLineIterator@@QAE_NXZ
+?LastInFlow@nsTextFrame@@UBEPAV1@XZ
+?Next@nsBlockInFlowLineIterator@@QAE_NXZ
+?SetOriginalOffset@gfxSkipCharsIterator@@QAEXH@Z
+?MakeTextRun@gfxFontGroup@@QAE?AU?$already_AddRefed@VgfxTextRun@@@@PBEIPBUParameters@gfxTextRunFactory@@W4ShapedTextFlags@gfx@mozilla@@W4Flags@nsTextFrameUtils@@PAVgfxMissingFontRecorder@@@Z
+?Create@gfxTextRun@@SA?AU?$already_AddRefed@VgfxTextRun@@@@PBUParameters@gfxTextRunFactory@@IPAVgfxFontGroup@@W4ShapedTextFlags@gfx@mozilla@@W4Flags@nsTextFrameUtils@@@Z
+?AddGlyphRun@gfxTextRun@@QAEXPAVgfxFont@@UFontMatchType@@I_NW4ShapedTextFlags@gfx@mozilla@@2@Z
+??$SplitAndInitTextRun@E@gfxFont@@QAE_NPAVDrawTarget@gfx@mozilla@@PAVgfxTextRun@@PBEIIW4Script@unicode@3@PAVnsAtom@@W4ShapedTextFlags@23@@Z
+?GetRoundOffsetsToPixels@gfxFont@@QAE?AW4RoundingFlags@gfxFontShaper@@PAVDrawTarget@gfx@mozilla@@@Z
+?ShouldRoundXOffset@gfxDWriteFont@@UBE_NPAU_cairo@@@Z
+?KeyEquals@CacheHashEntry@gfxFont@@QBE_NQBUCacheHashKey@2@@Z
+?SetSpaceGlyphIfSimple@gfxTextRun@@QAE_NPAVgfxFont@@I_SW4ShapedTextFlags@gfx@mozilla@@@Z
+?GetOrCreateGlyphExtents@gfxFont@@QAEPAVgfxGlyphExtents@@H@Z
+?Set@GlyphWidths@gfxGlyphExtents@@QAEXIG@Z
+?SetupGlyphExtents@gfxFont@@QAEXPAVDrawTarget@gfx@mozilla@@I_NPAVgfxGlyphExtents@@@Z
+?TryGetSVGData@gfxFontEntry@@QAE_NPAVgfxFont@@@Z
+?AppendText@nsLineBreaker@@QAE?AW4nsresult@@PAVnsAtom@@PBEIIPAVnsILineBreakSink@@@Z
+?Reset@nsLineBreaker@@QAE?AW4nsresult@@PA_N@Z
+?FlushCurrentWord@nsLineBreaker@@AAE?AW4nsresult@@XZ
+??1nsLineBreaker@@QAE@XZ
+?GetTrimmedOffsets@nsTextFrame@@QBE?AUTrimmedOffsets@1@PBVnsTextFragment@@W4TrimmedOffsetFlags@1@@Z
+?ForceBreak@InlinePrefISizeData@nsIFrame@@QAEXW4StyleClear@mozilla@@@Z
+?GetMinISize@nsBlockFrame@@UAEHPAVgfxContext@@@Z
+?AddInlineMinISize@nsTextFrame@@UAEXPAVgfxContext@@PAUInlineMinISizeData@nsIFrame@@@Z
+?ForceBreak@InlineMinISizeData@nsIFrame@@QAEXXZ
+??0nsLineLayout@@QAE@PAVnsPresContext@@PAVnsFloatManager@@PBUReflowInput@mozilla@@PBVnsLineList_iterator@@PAV0@@Z
+?InflationMinFontSizeFor@nsLayoutUtils@@SAHPBVnsIFrame@@@Z
+?WritingModeForLine@nsIFrame@@QBE?AVWritingMode@mozilla@@V23@PAV1@@Z
+?BeginLineReflow@nsLineLayout@@QAEXHHHH_N0VWritingMode@mozilla@@ABUnsSize@@@Z
+?ReflowFrame@nsLineLayout@@QAEXPAVnsIFrame@@AAVnsReflowStatus@@PAVReflowOutput@mozilla@@AA_N@Z
+?ReflowText@nsTextFrame@@QAEXAAVnsLineLayout@@HPAVDrawTarget@gfx@mozilla@@AAVReflowOutput@5@AAVnsReflowStatus@@@Z
+?BreakAndMeasureText@gfxTextRun@@QAEIII_NNPAVPropertyProvider@1@W4SuppressBreak@1@PAN0PAURunMetrics@gfxFont@@W4BoundingBoxType@5@PAVDrawTarget@gfx@mozilla@@PA_NPAI00PAW4gfxBreakPriority@@@Z
+?Measure@gfxDWriteFont@@UAE?AURunMetrics@gfxFont@@PBVgfxTextRun@@IIW4BoundingBoxType@3@PAVDrawTarget@gfx@mozilla@@PAUSpacing@3@W4ShapedTextFlags@78@@Z
+?Measure@gfxFont@@UAE?AURunMetrics@1@PBVgfxTextRun@@IIW4BoundingBoxType@1@PAVDrawTarget@gfx@mozilla@@PAUSpacing@1@W4ShapedTextFlags@67@@Z
+?SetTightGlyphExtents@gfxGlyphExtents@@QAEXIABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@@Z
+?CombineWith@RunMetrics@gfxFont@@QAEXABU12@_N@Z
+?MaxDescent@nsFontMetrics@@QAEHXZ
+?GetTextShadowRectsUnion@nsLayoutUtils@@SA?AUnsRect@@ABU2@PAVnsIFrame@@I@Z
+?FlushNoWrapFloats@nsLineLayout@@QAEXXZ
+?TrimTrailingWhiteSpaceIn@nsLineLayout@@IAE_NPAUPerSpanData@1@PAH@Z
+?TrimTrailingWhiteSpace@nsTextFrame@@QAE?AUTrimOutput@1@PAVDrawTarget@gfx@mozilla@@@Z
+?VerticalAlignLine@nsLineLayout@@QAEXXZ
+?EndLineReflow@nsLineLayout@@QAEXXZ
+?FontSizeInflationInner@nsLayoutUtils@@SAMPBVnsIFrame@@H@Z
+?GetCenteredFontBaseline@nsLayoutUtils@@SAHPAVnsFontMetrics@@H_N@Z
+?AddMarkerFrame@nsLineLayout@@QAEXPAVnsIFrame@@ABVReflowOutput@mozilla@@@Z
+?TextAlignLine@nsLineLayout@@QAEXPAVnsLineBox@@_N@Z
+?RelativePositionFrames@nsLineLayout@@IAEXPAUPerSpanData@1@AAUOverflowAreas@mozilla@@@Z
+?FinishAndStoreOverflow@nsIFrame@@QAE_NAAUOverflowAreas@mozilla@@UnsSize@@PAU4@PBUnsStyleDisplay@@@Z
+?GetBoxShadowRectForFrame@nsLayoutUtils@@SA?AUnsRect@@PAVnsIFrame@@ABUnsSize@@@Z
+?GetImageOutset@nsStyleBorder@@QBE?AUnsMargin@@XZ
+?UnionWith@OverflowAreas@mozilla@@QAEXABU12@@Z
+?SetOverflowAreas@nsLineBox@@QAEXABUOverflowAreas@mozilla@@@Z
+?CachedIsEmpty@nsLineBox@@QAE_NXZ
+?CachedIsEmpty@nsIFrame@@UAE_NXZ
+?AppendFloats@nsLineBox@@QAEXAAVnsFloatCacheFreeList@@@Z
+?UnlinkFrame@nsLineLayout@@IAEXPAUPerFrameData@1@@Z
+?CheckForInterrupt@nsPresContext@@QAE_NPAVnsIFrame@@@Z
+?IsEmpty@nsTextFrame@@UAE_NXZ
+?ShouldApplyOverflowClipping@nsIFrame@@QBE?AW4PhysicalAxes@1@PBUnsStyleDisplay@@@Z
+??1nsAutoFloatManager@@QAE@XZ
+?GetLineIterator@nsBlockFrame@@MAEPAVnsILineIterator@@XZ
+??0nsLineIterator@@QAE@XZ
+?Init@nsLineIterator@@QAE?AW4nsresult@@AAVnsLineList@@_N@Z
+??1nsLineIterator@@QAE@XZ
+?GetXULMinSize@nsIFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?GetXULMaxSize@nsIFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?ComputeAutoSizeWithIntrinsicDimensions@nsLayoutUtils@@SA?AUnsSize@@HHHHHH@Z
+?AddXULMaxSize@nsIFrame@@SA_NPAV1@AAUnsSize@@AA_N2@Z
+?GetMinISize@nsBoxFrame@@UAEHPAVgfxContext@@@Z
+?UsedAlignSelf@nsStylePosition@@QBE?AUStyleAlignSelf@mozilla@@PBVComputedStyle@3@@Z
+?MinSizeContributionForAxis@nsLayoutUtils@@SAHW4PhysicalAxis@mozilla@@PAVgfxContext@@PAVnsIFrame@@W4IntrinsicISizeType@3@ABVLogicalSize@3@I@Z
+?Bounds@ApplicationAccessible@a11y@mozilla@@UBE?AU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@XZ
+?UsedJustifySelf@nsStylePosition@@QBE?AUStyleJustifySelf@mozilla@@PBVComputedStyle@3@@Z
+??0nsBoxLayoutState@@QAE@PAVnsPresContext@@PAVgfxContext@@PBUReflowInput@mozilla@@G@Z
+?GetXULBoxAscent@nsLeafBoxFrame@@UAEHAAVnsBoxLayoutState@@@Z
+?XULLayout@nsIFrame@@QAE?AW4nsresult@@AAVnsBoxLayoutState@@@Z
+?UnionChildOverflow@nsLayoutUtils@@SAXPAVnsIFrame@@AAUOverflowAreas@mozilla@@V?$EnumSet@W4FrameChildListID@layout@mozilla@@I@4@@Z
+?GetChildList@nsIFrame@@UBEABVnsFrameList@@W4FrameChildListID@layout@mozilla@@@Z
+?SyncXULLayout@nsIFrame@@IAE?AW4nsresult@@AAVnsBoxLayoutState@@@Z
+?GetXULBoxAscent@nsBoxFrame@@UAEHAAVnsBoxLayoutState@@@Z
+?GetOverflowAreas@nsIFrame@@QBE?AUOverflowAreas@mozilla@@XZ
+?ReflowAbsoluteFrames@nsIFrame@@IAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@_N@Z
+?UpdateTruncated@nsReflowStatus@@QAEXABUReflowInput@mozilla@@ABVReflowOutput@3@@Z
+?AlignJustifySelf@CSSAlignUtils@mozilla@@SAHABUStyleAlignFlags@2@W4LogicalAxis@2@W4AlignJustifyFlags@12@HHABUReflowInput@2@ABVLogicalSize@2@@Z
+?FinishReflowChild@nsContainerFrame@@SAXPAVnsIFrame@@PAVnsPresContext@@ABVReflowOutput@mozilla@@PBUReflowInput@5@ABVWritingMode@5@ABVLogicalPoint@5@ABUnsSize@@W4ReflowChildFlags@2@@Z
+?ApplyRelativePositioning@ReflowInput@mozilla@@SAXPAVnsIFrame@@VWritingMode@2@ABVLogicalMargin@2@PAVLogicalPoint@2@ABUnsSize@@@Z
+?DidReflow@nsBoxFrame@@UAEXPAVnsPresContext@@PBUReflowInput@mozilla@@@Z
+?ConsiderChildOverflow@nsContainerFrame@@QAEXAAUOverflowAreas@mozilla@@PAVnsIFrame@@@Z
+?ScrollSnap@ScrollFrameHelper@mozilla@@QAEXW4ScrollMode@2@@Z
+?DoXULLayout@nsIFrame@@MAG?AW4nsresult@@AAVnsBoxLayoutState@@@Z
+?MaybeFreeData@nsLineBox@@IAEXXZ
+?SetOverflowAreas@nsIFrame@@AAE_NABUOverflowAreas@mozilla@@@Z
+?SetSize@nsIFrame@@QAEXVWritingMode@mozilla@@ABVLogicalSize@3@@Z
+?UnionOverflowAreasWithDesiredBounds@ReflowOutput@mozilla@@QAEXXZ
+?GetOverflowRect@nsIFrame@@QBE?AUnsRect@@W4OverflowType@mozilla@@@Z
+?GetScrolledRect@ScrollFrameHelper@mozilla@@QBE?AUnsRect@@XZ
+?GetScrolledRect@nsLayoutUtils@@SA?AUnsRect@@PAVnsIFrame@@ABU2@ABUnsSize@@W4StyleDirection@mozilla@@@Z
+?IsBlockFrameOrSubclass@nsIFrame@@QBE_NXZ
+?UseOverlayScrollbars@Document@dom@mozilla@@SA_NPBV123@@Z
+?GetStickyScrollContainerForScrollFrame@StickyScrollContainer@mozilla@@SAPAV12@PAVnsIFrame@@@Z
+?GetXULVAlign@nsBoxFrame@@UBE?AW4Valignment@nsIFrame@@XZ
+?UnionAllWith@OverflowAreas@mozilla@@QAEXABUnsRect@@@Z
+?NS_NewFlexContainerFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?IsEmpty@nsLineBox@@QBE_NXZ
+?GetLogicalBaseline@nsBlockFrame@@UBEHVWritingMode@mozilla@@@Z
+?GetNaturalBaselineBOffset@nsBlockFrame@@UBE_NVWritingMode@mozilla@@W4BaselineSharingGroup@3@PAH@Z
+?GetLogicalUsedMargin@nsIFrame@@UBE?AVLogicalMargin@mozilla@@VWritingMode@3@@Z
+?GetUsedMargin@nsIFrame@@UBE?AUnsMargin@@XZ
+?GetTheme@nsUXThemeData@@SAPAXW4nsUXThemeClass@@@Z
+?GetWidgetOverflow@nsNativeThemeWin@@UAE_NPAVnsDeviceContext@@PAVnsIFrame@@W4StyleAppearance@mozilla@@PAUnsRect@@@Z
+?GetPrefISize@nsTextControlFrame@@UAEHPAVgfxContext@@@Z
+?FontSizeInflationFor@nsLayoutUtils@@SAMPBVnsIFrame@@@Z
+?CalcLineHeight@ReflowInput@mozilla@@SAHPAVnsIContent@@PAVComputedStyle@2@PAVnsPresContext@@HM@Z
+?AveCharWidth@nsFontMetrics@@QAEHXZ
+?MaxAdvance@nsFontMetrics@@QAEHXZ
+?GetMinISize@nsTextControlFrame@@UAEHPAVgfxContext@@@Z
+?ComputeAutoSize@nsTextControlFrame@@UAE?AVLogicalSize@mozilla@@PAVgfxContext@@VWritingMode@3@ABV23@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@3@@Z
+?Reflow@nsTextControlFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?RegUnRegAccessKey@nsCheckboxRadioFrame@@SA?AW4nsresult@@PAVnsIFrame@@_N@Z
+?ComputedSizeWithBorderPadding@ReflowInput@mozilla@@QBE?AVLogicalSize@2@VWritingMode@2@@Z
+?SetOverflowAreasToDesiredBounds@ReflowOutput@mozilla@@QAEXXZ
+?ComputedSizeWithPadding@ReflowInput@mozilla@@QBE?AVLogicalSize@2@VWritingMode@2@@Z
+?GetMinISize@nsHTMLScrollFrame@@UAEHPAVgfxContext@@@Z
+?ComputeRatioDependentSize@AspectRatio@mozilla@@QBEHW4LogicalAxis@2@ABVWritingMode@2@HABVLogicalSize@2@@Z
+?GetPrefISize@nsHTMLScrollFrame@@UAEHPAVgfxContext@@@Z
+?Reflow@nsHTMLScrollFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?InsertFrames@nsHTMLScrollFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@PBVnsLineList_iterator@@AAVnsFrameList@@@Z
+?GetFrameBaseLevel@nsBidiPresUtils@@SAEPBVnsIFrame@@@Z
+?IsFrameOfType@BRFrame@mozilla@@UBE_NI@Z
+?CalcLineHeight@ReflowInput@mozilla@@QBEHXZ
+??0nsBlockInFlowLineIterator@@QAE@PAVnsBlockFrame@@VnsLineList_iterator@@_N@Z
+?GetCurrentSpanCount@nsLineLayout@@QBEHXZ
+?DidReflow@nsHTMLScrollFrame@@UAEXPAVnsPresContext@@PBUReflowInput@mozilla@@@Z
+?ScrollableFrame@ScrollAnchorContainer@layout@mozilla@@QBEPAVnsIScrollableFrame@@XZ
+?GetScrollTargetFrame@nsHTMLScrollFrame@@UBEPAVnsIScrollableFrame@@XZ
+?TextLength@CharacterData@dom@mozilla@@UBEIXZ
+??$RemoveProperty@UOverflowAreas@mozilla@@@nsIFrame@@QAEXPBU?$FramePropertyDescriptor@UOverflowAreas@mozilla@@@mozilla@@@Z
+?GetXULMinSize@nsTextControlFrame@@UAE?AUnsSize@@AAVnsBoxLayoutState@@@Z
+?ComputeAutoSize@nsLeafBoxFrame@@UAE?AVLogicalSize@mozilla@@PAVgfxContext@@VWritingMode@3@ABV23@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@3@@Z
+?Reflow@nsLeafBoxFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?Shutdown@nsStackLayout@@SAXXZ
+?ComputeSizeWithIntrinsicDimensions@nsContainerFrame@@IAE?AVLogicalSize@mozilla@@PAVgfxContext@@VWritingMode@3@ABUIntrinsicSize@3@ABUAspectRatio@3@ABV23@44V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@3@@Z
+?ComputeObjectDestRect@nsLayoutUtils@@SA?AUnsRect@@ABU2@ABUIntrinsicSize@mozilla@@ABUAspectRatio@4@PBUnsStylePosition@@PAUnsPoint@@@Z
+?ComputeObjectAnchorPoint@nsImageRenderer@mozilla@@SAXABU?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@ABUnsSize@@1PAUnsPoint@@2@Z
+?PaintFocus@nsCSSRendering@@SAXPAVnsPresContext@@PAVDrawTarget@gfx@mozilla@@ABUnsRect@@I@Z
+?ResizeView@nsViewManager@@QAEXPAVnsView@@ABUnsRect@@_N@Z
+?SyncFrameViewAfterReflow@nsContainerFrame@@SAXPAVnsPresContext@@PAVnsIFrame@@PAVnsView@@ABUnsRect@@W4ReflowChildFlags@3@@Z
+?s_MatchEntry@?$nsTHashtable@VCacheHashEntry@gfxFont@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?MeasureText@gfxTextRun@@QBE?AURunMetrics@gfxFont@@URange@1@W4BoundingBoxType@3@PAVDrawTarget@gfx@mozilla@@PAVPropertyProvider@1@@Z
+?GetXULHAlign@nsBoxFrame@@UBE?AW4Halignment@nsIFrame@@XZ
+?GetReferenceFrame@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@@Z
+?IsTransformed@nsIFrame@@QBE_NPBUnsStyleDisplay@@@Z
+?Combines3DTransformWithAncestors@nsIFrame@@QBE_NPBUnsStyleDisplay@@@Z
+?GetOffsetToCrossDoc@nsIFrame@@QBE?AUnsPoint@@PBV1@H@Z
+?GetPaintedLayerScaleForFrame@FrameLayerBuilder@mozilla@@SA?AU?$SizeTyped@UUnknownUnits@gfx@mozilla@@N@gfx@2@PAVnsIFrame@@@Z
+?GetTransformToAncestor@nsLayoutUtils@@SA?AV?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@URelativeTo@4@0IPAPAVnsIFrame@@@Z
+?IsZoomedContentRoot@ViewportUtils@mozilla@@SAPBVnsIFrame@@PBV3@@Z
+?AddWillPaintObserver@nsRootPresContext@@QAEXPAVnsIRunnable@@@Z
+?LayoutChildAt@nsBoxFrame@@SA?AW4nsresult@@AAVnsBoxLayoutState@@PAVnsIFrame@@ABUnsRect@@@Z
+?TransformRect@nsDisplayTransform@@SA?AUnsRect@@ABU2@PBVnsIFrame@@AAVTransformReferenceBox@nsStyleTransformMatrix@@@Z
+?ResolveMotionPath@MotionPathUtils@mozilla@@SA?AV?$Maybe@UResolvedMotionPathData@mozilla@@@2@PBVnsIFrame@@AAVTransformReferenceBox@nsStyleTransformMatrix@@@Z
+?Convert2DPosition@nsStyleTransformMatrix@@YA?AU?$PointTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@ABTStyleLengthPercentageUnion@4@0AAVTransformReferenceBox@1@@Z
+?EnsureDimensionsAreCached@TransformReferenceBox@nsStyleTransformMatrix@@AAEXXZ
+??0RayReferenceData@mozilla@@QAE@PBVnsIFrame@@@Z
+?GetDeltaToTransformOrigin@nsDisplayTransform@@SA?AU?$Point3DTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@PBVnsIFrame@@AAVTransformReferenceBox@nsStyleTransformMatrix@@M@Z
+?ShouldSnapToGrid@nsLayoutUtils@@SA_NPBVnsIFrame@@@Z
+?ReadTransforms@nsStyleTransformMatrix@@YA?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@ABU?$StyleGenericTranslate@TStyleLengthPercentageUnion@mozilla@@UStyleCSSPixelLength@2@@4@ABU?$StyleGenericRotate@MUStyleAngle@mozilla@@@4@ABU?$StyleGenericScale@M@4@ABV?$Maybe@UResolvedMotionPathData@mozilla@@@4@ABU?$StyleGenericTransform@U?$StyleGenericTransformOperation@UStyleAngle@mozilla@@MUStyleCSSPixelLength@2@HTStyleLengthPercentageUnion@2@@mozilla@@@4@AAVTransformReferenceBox@1@M@Z
+?GetContainingBlock@nsIFrame@@QBEPAV1@IPBUnsStyleDisplay@@@Z
+?PostTranslate@nsLayoutUtils@@SAXAAV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@ABUnsPoint@@M_N@Z
+?MatrixTransformRect@nsLayoutUtils@@SA?AUnsRect@@ABU2@ABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@M@Z
+??$TransformAndClipRect@N@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@QBEIABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@12@0PAU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@12@@Z
+??$IntersectPolygon@N@gfx@mozilla@@YA?AV?$Span@U?$Point4DTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@$0PPPPPPPP@@1@V21@ABU?$Point4DTyped@UUnknownUnits@gfx@mozilla@@N@01@0@Z
+??$RoundGfxRectToAppRect@U?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@@nsLayoutUtils@@SA?AUnsRect@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@M@Z
+?ConstrainToCoordValues@nsLayoutUtils@@CAXAAN0@Z
+?Extend3DContext@nsIFrame@@QBE_NPBUnsStyleDisplay@@PBUnsStyleEffects@@PAVEffectSet@mozilla@@@Z
+?GetUsedBorder@nsIFrame@@UBE?AUnsMargin@@XZ
+?Reflow@nsAbsoluteContainingBlock@@QAEXPAVnsContainerFrame@@PAVnsPresContext@@ABUReflowInput@mozilla@@AAVnsReflowStatus@@ABUnsRect@@W4AbsPosReflowFlags@1@PAUOverflowAreas@5@@Z
+?ComputeRelativeOffsets@ReflowInput@mozilla@@SA?AVLogicalMargin@2@VWritingMode@2@PAVnsIFrame@@ABVLogicalSize@2@@Z
+?GetMargin@nsStyleMargin@@QBE_NAAUnsMargin@@@Z
+?GetOffsetToIgnoringScrolling@nsIFrame@@QBE?AUnsPoint@@PBV1@@Z
+?ElementWouldPropagateScrollStyles@nsPresContext@@QAE_NABVElement@dom@mozilla@@@Z
+?ConvertTo@LogicalPoint@mozilla@@QBE?AV12@VWritingMode@2@0ABUnsSize@@@Z
+?GetBlurRadiusMargin@nsContextBoxBlur@@SA?AUnsMargin@@HH@Z
+?CalculateBlurRadius@gfxAlphaBoxBlur@@SA?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@34@@Z
+?CalculateBlurRadius@AlphaBoxBlur@gfx@mozilla@@SA?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+?GetUsedPadding@nsIFrame@@UBE?AUnsMargin@@XZ
+??$ResolveInternal@HP6AHM@Z@?$StyleGenericCalcNode@TStyleCalcLengthPercentageLeaf@mozilla@@@mozilla@@ABEHHP6AHM@Z@Z
+?NSToCoordFloorClamped@@YAHM@Z
+?GetMinISize@nsLeafBoxFrame@@UAEHPAVgfxContext@@@Z
+?GetPrefISize@nsLeafBoxFrame@@UAEHPAVgfxContext@@@Z
+?FindNearestCommonAncestorFrameWithinBlock@nsLayoutUtils@@SAPBVnsIFrame@@PBVnsTextFrame@@0@Z
+?SetupClusterBoundaries@gfxShapedText@@QAEXIPB_SI@Z
+?Next@ClusterIterator@unicode@mozilla@@QAEXXZ
+?AppendText@nsLineBreaker@@QAE?AW4nsresult@@PAVnsAtom@@PB_SIIPAVnsILineBreakSink@@@Z
+?GetJISx4051Breaks@LineBreaker@intl@mozilla@@QAEXPB_SIW4WordBreak@123@W4Strictness@123@_NPAE@Z
+?GetScript@Locale@intl@mozilla@@QBE?BV?$nsTDependentSubstring@D@@XZ
+?GetNextInFlow@nsTextFrame@@UBEPAV1@XZ
+?CreateContinuingFrame@nsCSSFrameConstructor@@QAEPAVnsIFrame@@PAV2@PAVnsContainerFrame@@_N@Z
+?Init@nsContinuingTextFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?NS_NewLineBox@@YAPAVnsLineBox@@PAVPresShell@mozilla@@PAV1@PAVnsIFrame@@H@Z
+?SplitLineTo@nsLineLayout@@QAEXH@Z
+?Reflow@nsInlineFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?BeginSpan@nsLineLayout@@QAEXPAVnsIFrame@@PBUReflowInput@mozilla@@HHPAH@Z
+?SetBSizeFromFontMetrics@nsLayoutUtils@@SAXPBVnsIFrame@@AAVReflowOutput@mozilla@@ABVLogicalMargin@4@VWritingMode@4@3@Z
+?IsSelfEmpty@nsInlineFrame@@UAE_NXZ
+?RecomputeOverflow@nsTextFrame@@QAE?AUOverflowAreas@mozilla@@PAVnsIFrame@@_N@Z
+??0PropertyProvider@nsTextFrame@@QAE@PAV1@ABVgfxSkipCharsIterator@@W4TextRunType@1@PAVnsFontMetrics@@@Z
+?GetHyphenWidth@PropertyProvider@nsTextFrame@@UBENXZ
+?GetTextDecorations@nsTextFrame@@IAEXPAVnsPresContext@@W4TextDecorationColorResolution@1@AAUTextDecorations@1@@Z
+?ComputeTightBounds@nsInlineFrame@@UBE?AUnsRect@@PAVDrawTarget@gfx@mozilla@@@Z
+?PushFrames@nsInlineFrame@@MAEXPAVnsPresContext@@PAVnsIFrame@@1AAUInlineReflowInput@1@@Z
+?SetOverflowFrames@nsContainerFrame@@IAEPAVnsFrameList@@$$QAV2@@Z
+?SetNextInFlow@nsSplittableFrame@@UAEXPAVnsIFrame@@@Z
+?IsEmpty@nsInlineFrame@@UAE_NXZ
+?ReparentFrameViewList@nsContainerFrame@@SAXABVnsFrameList@@PAVnsIFrame@@1@Z
+?AddInlineMinISize@nsIFrame@@UAEXPAVgfxContext@@PAUInlineMinISizeData@1@@Z
+?IntrinsicForContainer@nsLayoutUtils@@SAHPAVgfxContext@@PAVnsIFrame@@W4IntrinsicISizeType@mozilla@@I@Z
+?DefaultAddInlineMinISize@InlineMinISizeData@nsIFrame@@QAEXPAV2@H_N@Z
+?AddInlinePrefISize@nsIFrame@@UAEXPAVgfxContext@@PAUInlinePrefISizeData@1@@Z
+?GetSelectedBox@nsDeckFrame@@QAEPAVnsIFrame@@XZ
+?GetSubdocumentRootFrame@nsSubDocumentFrame@@QAEPAVnsIFrame@@XZ
+?SetCarriedOutBEndMargin@nsLineBox@@QAE_NUnsCollapsingMargin@@@Z
+?FinishReflowWithAbsoluteFrames@nsIFrame@@QAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@_N@Z
+?GetPrefISize@ViewportFrame@mozilla@@UAEHPAVgfxContext@@@Z
+?GetLayoutViewportSize@PresShell@mozilla@@QBE?AUnsSize@@XZ
+?GetAspectRatio@nsIFrame@@QBE?AUAspectRatio@mozilla@@XZ
+?SetNeedsWindowPropertiesSync@nsView@@QAEXXZ
+??1gfxContext@@AAE@XZ
+??1AutoProfilerTracing@@QAE@XZ
+?Anchor@nsHTMLScrollFrame@@UAEPAVScrollAnchorContainer@layout@mozilla@@XZ
+?ApplyAdjustments@ScrollAnchorContainer@layout@mozilla@@QAEXXZ
+?ScrollToRestoredPosition@ScrollFrameHelper@mozilla@@QAEXXZ
+?GetIntrinsicRatio@nsImageFrame@@UBE?AUAspectRatio@mozilla@@XZ
+?UpdatePositionAndSize@nsFrameLoader@@QAE?AW4nsresult@@PAVnsSubDocumentFrame@@@Z
+?GetContentRect@nsIFrame@@QBE?AUnsRect@@XZ
+?GetContentRectRelativeToSelf@nsIFrame@@QBE?AUnsRect@@XZ
+?ChildIsDirty@nsBlockFrame@@UAEXPAVnsIFrame@@@Z
+?ReconstructMarginBefore@BlockReflowInput@mozilla@@QAEXVnsLineList_iterator@@@Z
+?RecoverFloats@BlockReflowInput@mozilla@@AAEXVnsLineList_iterator@@H@Z
+?RecoverFloatsFor@nsBlockFrame@@SAXPAVnsIFrame@@AAVnsFloatManager@@VWritingMode@mozilla@@ABUnsSize@@@Z
+?SynthesizeMouseMove@PresShell@mozilla@@QAEX_N@Z
+?GetAccessibilityService@PresShell@mozilla@@SAPAVnsAccessibilityService@@XZ
+?GetClosestFrameOfType@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@W4LayoutFrameType@mozilla@@0@Z
+??$DeleteProperty@U?$PointTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@@nsINode@@SAXPAXPAVnsAtom@@00@Z
+?UpdateCommands@nsGlobalWindowOuter@@UAEXABV?$nsTSubstring@_S@@PAVSelection@dom@mozilla@@F@Z
+?CompileEventHandlerInternal@EventListenerManager@mozilla@@IAE?AW4nsresult@@PAUListener@12@PBV?$nsTSubstring@_S@@PAVElement@dom@2@@Z
+?GetEventArgNames@nsContentUtils@@SAXHPAVnsAtom@@_NPAIPAPAPBD@Z
+?GetScopeChainForElement@nsJSUtils@@SA_NPAUJSContext@@PAVElement@dom@mozilla@@V?$MutableHandle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@@Z
+??_GnsXULControllers@@MAEPAXI@Z
+?Wrap@HTMLBodyElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLBodyElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLBodyElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetScopeChainParent@Element@dom@mozilla@@UBEPAVnsINode@@XZ
+??0ScriptFetchOptions@dom@mozilla@@QAE@W4CORSMode@2@W4ReferrerPolicy@12@PAVElement@12@PAVnsIPrincipal@@@Z
+??0EventScript@dom@mozilla@@QAE@PAVScriptFetchOptions@12@PAVnsIURI@@@Z
+?CompileFunction@nsJSUtils@@SA?AW4nsresult@@AAVAutoJSAPI@dom@mozilla@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@AAVCompileOptions@7@ABV?$nsTSubstring@D@@IPAPBDABV?$nsTSubstring@_S@@PAPAVJSObject@@@Z
+?CompileFunction@JS@@YAPAVJSFunction@@PAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@1@ABVReadOnlyCompileOptions@1@PBDIPBQBDAAV?$SourceText@_S@1@@Z
+?IsIdentifier@frontend@js@@YA_NPBEI@Z
+?stealChars@StringBuffer@js@@QAEPA_SXZ
+??0?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE@PAUJSContext@@PAVParserAtomsTable@12@ABVReadOnlyCompileOptions@JS@@PB_SI@Z
+?toJSAtom@ParserAtomEntry@frontend@js@@QBEPAVJSAtom@@PAUJSContext@@AAUCompilationAtomCache@23@@Z
+?getAtomAt@CompilationAtomCache@frontend@js@@QBEPAVJSAtom@@U?$TypedIndex@VParserAtom@frontend@js@@@23@@Z
+?HostAddRefTopLevelScript@dom@mozilla@@YAXABVValue@JS@@@Z
+?has@BaseProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?GetPopupNode@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VnsINode@@@@XZ
+?GetLastTriggerNode@nsXULPopupManager@@IAE?AU?$already_AddRefed@VnsINode@@@@PAVDocument@dom@mozilla@@_N@Z
+?GetTop@nsGlobalWindowInner@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@dom@mozilla@@AAVErrorResult@4@@Z
+?GetTopOuter@nsGlobalWindowOuter@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@dom@mozilla@@XZ
+?GetTop@BrowsingContext@dom@mozilla@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@AAVErrorResult@3@@Z
+?GetControllers@nsXULElement@@QAEPAVnsIControllers@@AAVErrorResult@mozilla@@@Z
+?GetControllerForCommand@nsXULControllers@@UAG?AW4nsresult@@PBDPAPAVnsIController@@@Z
+?GetControllers@nsGlobalWindowInner@@UAE?AW4nsresult@@PAPAVnsIControllers@@@Z
+?GetControllersOuter@nsGlobalWindowOuter@@QAEPAVnsIControllers@@AAVErrorResult@mozilla@@@Z
+?CreateWindowCommandTable@nsControllerCommandTable@@SA?AU?$already_AddRefed@VnsControllerCommandTable@@@@XZ
+?RegisterWindowCommands@nsWindowCommandRegistration@@SA?AW4nsresult@@PAVnsControllerCommandTable@@@Z
+?GetPrivateParent@nsGlobalWindowOuter@@QAEPAVnsPIDOMWindowOuter@@XZ
+?ProxyGetProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?Duplicate@WidgetEvent@mozilla@@UBEPAV12@XZ
+?SubframeCrashed@nsFrameLoaderOwner@@QAEXXZ
+?CanCopy@nsCopySupport@@SA_NPAVDocument@dom@mozilla@@@Z
+?GetSelectionForCopy@nsCopySupport@@SA?AU?$already_AddRefed@VSelection@dom@mozilla@@@@PAVDocument@dom@mozilla@@@Z
+?RequestAnimationFrame@nsGlobalWindowInner@@QAEHAAVFrameRequestCallback@dom@mozilla@@AAVErrorResult@4@@Z
+?NotifyAnimationActivity@js@@YAXPAVJSObject@@@Z
+?ScheduleFrameRequestCallback@Document@dom@mozilla@@QAE?AW4nsresult@@AAVFrameRequestCallback@23@PAH@Z
+?ScheduleFrameRequestCallbacks@nsRefreshDriver@@QAEXPAVDocument@dom@mozilla@@@Z
+?ShouldThrottleFrameRequests@Document@dom@mozilla@@QBE_NXZ
+?GetDisplayRootFrame@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@@Z
+?DidPaintPresShell@nsIFrame@@QAE_NPAVPresShell@mozilla@@@Z
+?Navigator@nsPIDOMWindowInner@@QAEPAV0dom@mozilla@@XZ
+??0Navigator@dom@mozilla@@QAE@PAVnsPIDOMWindowInner@@@Z
+?ServiceWorker@Navigator@dom@mozilla@@QAE?AU?$already_AddRefed@VServiceWorkerContainer@dom@mozilla@@@@XZ
+?Create@ServiceWorkerContainer@dom@mozilla@@SA?AU?$already_AddRefed@VServiceWorkerContainer@dom@mozilla@@@@PAVnsIGlobalObject@@@Z
+?Create@ServiceWorkerContainerChild@dom@mozilla@@SA?AU?$already_AddRefed@VServiceWorkerContainerChild@dom@mozilla@@@@XZ
+??0PServiceWorkerContainerChild@dom@mozilla@@QAE@XZ
+?SendPServiceWorkerContainerConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPServiceWorkerContainerChild@dom@3@PAV453@@Z
+?Write@?$IPDLParamTraits@PAVPServiceWorkerContainerChild@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPServiceWorkerContainerChild@dom@3@@Z
+?RecvRespondWith@FetchEventOpProxyParent@dom@mozilla@@AAE?AVIPCResult@ipc@3@ABVIPCFetchEventRespondWithResult@23@@Z
+?StartMessages@ServiceWorkerContainer@dom@mozilla@@QAEXXZ
+?NotifyDOMContentLoadedEnd@nsDOMNavigationTiming@@QAEXPAVnsIURI@@@Z
+?NoteDOMContentLoaded@nsPIDOMWindowInner@@QAEXXZ
+?NoteDOMContentLoaded@ClientSource@dom@mozilla@@QAEXXZ
+?SendNoteDOMContentLoaded@PClientSourceChild@dom@mozilla@@QAE_NXZ
+?GetInstance@ServiceWorkerManager@dom@mozilla@@SA?AU?$already_AddRefed@VServiceWorkerManager@dom@mozilla@@@@XZ
+?Get@ServiceWorkerRegistrar@dom@mozilla@@SA?AU?$already_AddRefed@VServiceWorkerRegistrar@dom@mozilla@@@@XZ
+?CreateAndRegisterOn@ServiceWorkerShutdownBlocker@dom@mozilla@@SA?AU?$already_AddRefed@VServiceWorkerShutdownBlocker@dom@mozilla@@@@AAVnsIAsyncShutdownClient@@AAVServiceWorkerManager@23@@Z
+?ReportShutdownProgress@ServiceWorkerShutdownBlocker@dom@mozilla@@QAEXIW4Progress@ServiceWorkerShutdownState@23@@Z
+?Release@ServiceWorkerManager@dom@mozilla@@UAGKXZ
+?Release@ServiceWorkerShutdownBlocker@dom@mozilla@@UAGKXZ
+?AllocPServiceWorkerContainerParent@BackgroundParentImpl@ipc@mozilla@@MAE?AU?$already_AddRefed@VPServiceWorkerContainerParent@dom@mozilla@@@@XZ
+??0PServiceWorkerContainerParent@dom@mozilla@@QAE@XZ
+?ActorAlloc@PServiceWorkerContainerParent@dom@mozilla@@MAEXXZ
+?RecvPServiceWorkerContainerConstructor@BackgroundParentImpl@ipc@mozilla@@MAE?AVIPCResult@23@PAVPServiceWorkerContainerParent@dom@3@@Z
+?InitServiceWorkerContainerParent@dom@mozilla@@YAXPAVPServiceWorkerContainerParent@12@@Z
+?Release@ServiceWorkerContainerParent@dom@mozilla@@UAGKXZ
+?GetRegistrations@ServiceWorkerRegistrar@dom@mozilla@@QAEXAAV?$nsTArray@VServiceWorkerRegistrationData@dom@mozilla@@@@@Z
+??0ServiceWorkerUpdaterChild@dom@mozilla@@QAE@PAV?$MozPromise@_NW4nsresult@@$00@2@PAVCancelableRunnable@2@1@Z
+?LoadRegistrations@ServiceWorkerManager@dom@mozilla@@QAEXABV?$nsTArray@VServiceWorkerRegistrationData@dom@mozilla@@@@@Z
+?GetOrCreateForCurrentThread@BackgroundChild@ipc@mozilla@@SAPAVPBackgroundChild@23@PAVnsIEventTarget@@@Z
+?SendPServiceWorkerManagerConstructor@PBackgroundChild@ipc@mozilla@@QAEPAVPServiceWorkerManagerChild@dom@3@XZ
+?AllocPServiceWorkerManagerChild@BackgroundChildImpl@ipc@mozilla@@MAEPAVPServiceWorkerManagerChild@dom@3@XZ
+??0PServiceWorkerManagerChild@dom@mozilla@@QAE@XZ
+?Write@?$IPDLParamTraits@PAVPServiceWorkerManagerChild@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPServiceWorkerManagerChild@dom@3@@Z
+??1?$nsTArray_Impl@VServiceWorkerRegistrationData@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?MaybeCheckNavigationUpdate@ServiceWorkerManager@dom@mozilla@@QAEXABVClientInfo@23@@Z
+?AllocPServiceWorkerManagerParent@BackgroundParentImpl@ipc@mozilla@@MAEPAVPServiceWorkerManagerParent@dom@3@XZ
+??0ServiceWorkerManagerParent@dom@mozilla@@AAE@XZ
+??0PServiceWorkerManagerParent@dom@mozilla@@QAE@XZ
+?RecvDynamicToolbarMaxHeightChanged@BrowserChild@dom@mozilla@@QAE?AVIPCResult@ipc@3@ABU?$IntCoordTyped@UScreenPixel@mozilla@@@gfx@3@@Z
+?RemoveRefreshObserver@nsRefreshDriver@@QAE_NPAVnsARefreshObserver@@W4FlushType@mozilla@@@Z
+??0L10nArgsHelperDict@dom@mozilla@@QAE@XZ
+?Init@L10nArgsHelperDict@dom@mozilla@@QAE_NABV?$nsTSubstring@_S@@@Z
+?Create@SimpleGlobalObject@dom@mozilla@@SAPAVJSObject@@W4GlobalType@123@V?$Handle@VValue@JS@@@JS@@@Z
+?IsPDFJS@nsContentUtils@@SA_NPAVnsIPrincipal@@@Z
+?GetDomain@NullPrincipal@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetIsScriptAllowedByPolicy@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?SystemPrincipalSingletonConstructor@nsScriptSecurityManager@@SA?AU?$already_AddRefed@VSystemPrincipal@mozilla@@@@XZ
+?GetOrCreateProxyObject@RemoteObjectProxyBase@dom@mozilla@@IBEXPAUJSContext@@PAXPBUJSClass@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@AA_N@Z
+?GetGlobalJSObject@WorkletGlobalScope@dom@mozilla@@UAEPAVJSObject@@XZ
+?TrySetToUTF8String@OwningUTF8StringOrDouble@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@AA_N_N@Z
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@H@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+??4OwningUTF8StringOrDouble@dom@mozilla@@QAEAAV012@ABV012@@Z
+?Uninit@OwningUTF8StringOrDouble@dom@mozilla@@QAEXXZ
+?FormatMessages@Localization@intl@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAUJSContext@@ABV?$Sequence@VOwningUTF8StringOrL10nIdArgs@dom@mozilla@@@dom@3@AAVErrorResult@3@@Z
+?ToJSVal@OwningUTF8StringOrDouble@dom@mozilla@@QBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@6@@Z
+?create@AsyncFromSyncIteratorObject@js@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@6@@Z
+?AsyncFromSyncIteratorMethod@js@@YA_NPAUJSContext@@AAVCallArgs@JS@@W4CompletionKind@1@@Z
+?CreateIterResultObject@js@@YAPAVPlainObject@1@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@_N@Z
+?getOrCreateIterResultTemplateObject@Realm@JS@@QAEPAVPlainObject@js@@PAUJSContext@@@Z
+?postBarrier@?$InternalBarrierMethods@PAVPlainObject@js@@@js@@SAXPAPAVPlainObject@2@PAV32@1@Z
+?UTF8CharsToNewTwoByteCharsZ@JS@@YA?AVTwoByteCharsZ@1@PAUJSContext@@VUTF8Chars@1@PAII@Z
+?Utf8ToOneUcs4Char@JS@@YAIPBEH@Z
+?destroyTable@?$HashTable@V?$HashMapEntry@PBVParserAtom@frontend@js@@VUsedNameInfo@UsedNameTracker@23@@mozilla@@UMapHashPolicy@?$HashMap@PBVParserAtom@frontend@js@@VUsedNameInfo@UsedNameTracker@23@U?$DefaultHasher@PBVParserAtom@frontend@js@@X@mozilla@@VTempAllocPolicy@3@@2@VTempAllocPolicy@js@@@detail@mozilla@@SAXAAVTempAllocPolicy@js@@PADI@Z
+??$NewString@$00_S@js@@YAPAVJSLinearString@@PAUJSContext@@V?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@IW4InitialHeap@gc@0@@Z
+_ZN13fluent_bundle4args10FluentArgs13with_capacity17h64d71a9d79771c57E
+_ZN13fluent_bundle4args10FluentArgs3get17h391a371c53738a1aE
+??1?$nsTArray_Impl@V?$RecordEntry@V?$nsTString@D@@U?$Nullable@VOwningUTF8StringOrDouble@dom@mozilla@@@dom@mozilla@@@binding_detail@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?nextToken@?$nsTCharSeparatedTokenizer@V?$nsTDependentSubstring@_S@@$1?IsHTMLWhitespace@nsContentUtils@@SA_N_S@Z@@QAE?BV?$nsTDependentSubstring@_S@@XZ
+?CharacterDataChanged@PresShell@mozilla@@UAEXPAVnsIContent@@ABUCharacterDataChangeInfo@@@Z
+?CharacterDataChanged@nsCSSFrameConstructor@@QAEXPAVnsIContent@@ABUCharacterDataChangeInfo@@@Z
+?CharacterDataChanged@nsTextFrame@@UAE?AW4nsresult@@ABUCharacterDataChangeInfo@@@Z
+?GetMarkerPseudo@nsLayoutUtils@@SAPAVElement@dom@mozilla@@PBVnsIContent@@@Z
+?GetBeforePseudo@nsLayoutUtils@@SAPAVElement@dom@mozilla@@PBVnsIContent@@@Z
+?GetAfterPseudo@nsLayoutUtils@@SAPAVElement@dom@mozilla@@PBVnsIContent@@@Z
+Gecko_GetAnonymousContentForElement
+Gecko_DestroyAnonymousContentList
+?CalcDifference@nsStyleTextReset@@QBE?AW4nsChangeHint@@ABU1@@Z
+??1nsStyleTextReset@@QAE@XZ
+??8?$StyleOwnedSlice@U?$StyleGenericGradientItem@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@TStyleLengthPercentageUnion@2@@mozilla@@@mozilla@@QBE_NABU01@@Z
+??8?$StyleGenericGradientItem@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@TStyleLengthPercentageUnion@2@@mozilla@@QBE_NABU01@@Z
+??8?$StyleGenericCalcNode@TStyleCalcLengthPercentageLeaf@mozilla@@@mozilla@@QBE_NABT01@@Z
+??8?$StyleOwnedSlice@T?$StyleGenericCalcNode@TStyleCalcLengthPercentageLeaf@mozilla@@@mozilla@@@mozilla@@QBE_NABU01@@Z
+_ZN5style16gecko_properties77_$LT$impl$u20$style..gecko_bindings..structs..root..mozilla..GeckoDisplay$GT$17animations_equals17hbb8383fa421f1788E
+Gecko_StyleAnimationsEquals
+??8StyleAnimation@mozilla@@QBE_NABU01@@Z
+??1?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@QAE@XZ
+?CalcDifference@nsStyleOutline@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CalcDifference@nsStyleSVGReset@@QBE?AW4nsChangeHint@@ABU1@@Z
+?CopyFrom@?$StyleOwnedSlice@U?$StylePolygonCoord@TStyleLengthPercentageUnion@mozilla@@@mozilla@@@mozilla@@QAEXABU12@@Z
+?UpdateStyle@ViewportFrame@mozilla@@QAEXAAVServoRestyleState@2@@Z
+?ResolveInheritingAnonymousBoxStyle@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@W4PseudoStyleType@2@PAVComputedStyle@2@@Z
+?AppendDirectlyOwnedAnonBoxes@nsHTMLScrollFrame@@UAEXAAV?$nsTArray@UOwnedAnonBox@nsIFrame@@@@@Z
+?GetLocalizedEllipsis@nsContentUtils@@SA?BV?$nsTDependentString@_S@@XZ
+?CopyUnicodeTo@@YAPA_SABV?$nsTSubstring@_S@@IPA_SI@Z
+?AppUnitWidthOfString@nsLayoutUtils@@SAHPB_SIAAVnsFontMetrics@@PAVDrawTarget@gfx@mozilla@@@Z
+??0AutoRecordPaint@PaintTelemetry@mozilla@@QAE@XZ
+?ProcessPendingUpdates@nsViewManager@@QAEXXZ
+?WillPaint@PresShell@mozilla@@QAEXXZ
+?InvalidateAllViews@nsViewManager@@QAEXXZ
+?SyncWindowProperties@PresShell@mozilla@@QAEXPAVnsView@@@Z
+?GetFrameTransparency@nsLayoutUtils@@SA?AW4nsTransparencyMode@@PAVnsIFrame@@0@Z
+?HasNonZeroCorner@nsLayoutUtils@@SA_NABU?$StyleGenericBorderRadius@TStyleLengthPercentageUnion@mozilla@@@mozilla@@@Z
+?IsThemed@nsIFrame@@QBE_NPBUnsStyleDisplay@@PAW4Transparency@nsITheme@@@Z
+?FindBackground@nsCSSRendering@@SA_NPBVnsIFrame@@PAPAVComputedStyle@mozilla@@@Z
+?FindBackgroundFrame@nsCSSRendering@@SA_NPBVnsIFrame@@PAPAV2@@Z
+?IsTransparent@nsStyleBackground@@QBE_NPBVnsIFrame@@@Z
+?CalcColor@?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@QBEIABVComputedStyle@2@@Z
+?SetSizeConstraints@nsContainerFrame@@SAXPAVnsPresContext@@PAVnsIWidget@@ABUnsSize@@2@Z
+?NeedsPaint@nsIWidget@@UAE_NXZ
+?IsVisible@nsWindow@@UBE_NXZ
+??1AutoRecordPaint@PaintTelemetry@mozilla@@QAE@XZ
+?NotifyDOMContentFlushed@nsPresContext@@QAEXXZ
+?LoadImageWithChannel@imgLoader@@QAE?AW4nsresult@@PAVnsIChannel@@PAVimgINotificationObserver@@PAVDocument@dom@mozilla@@PAPAVnsIStreamListener@@PAPAVimgRequestProxy@@@Z
+?SetCacheValidation@imgRequest@@SAXPAVimgCacheEntry@@PAVnsIRequest@@@Z
+?Touch@imgCacheEntry@@AAEX_N@Z
+?GetMimeTypeFromContent@imgLoader@@SA?AW4nsresult@@PBDIAAV?$nsTSubstring@D@@@Z
+?MatchesMP4@@YA_NPBEIAAV?$nsTSubstring@D@@@Z
+?CreateImage@ImageFactory@image@mozilla@@SA?AU?$already_AddRefed@VImage@image@mozilla@@@@PAVnsIRequest@@PAVProgressTracker@23@ABV?$nsTString@D@@PAVnsIURI@@_NI@Z
+??0VectorImage@image@mozilla@@IAE@PAVnsIURI@@@Z
+??0ImageResource@image@mozilla@@IAE@PAVnsIURI@@@Z
+?Init@VectorImage@image@mozilla@@AAE?AW4nsresult@@PBDI@Z
+?NotifyCurrentState@ProgressTracker@image@mozilla@@QAEXPAVIProgressObserver@23@@Z
+?GetType@VectorImage@image@mozilla@@UAG?AW4nsresult@@PAG@Z
+?OnStartRequest@VectorImage@image@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?GetFlags@EditorBase@mozilla@@UAG?AW4nsresult@@PAI@Z
+?SetLoadGroup@nsLoadGroup@net@mozilla@@UAG?AW4nsresult@@PAVnsILoadGroup@@@Z
+?IsPlainTextType@nsContentUtils@@SA_NABV?$nsTSubstring@D@@@Z
+?NS_NewSVGDocument@@YA?AW4nsresult@@PAPAVDocument@dom@mozilla@@@Z
+??0XMLDocument@dom@mozilla@@QAE@PBD@Z
+?Reset@XMLDocument@dom@mozilla@@UAEXPAVnsIChannel@@PAVnsILoadGroup@@@Z
+?CloneForcingOriginAttributes@BasePrincipal@mozilla@@QAE?AU?$already_AddRefed@VBasePrincipal@mozilla@@@@ABVOriginAttributes@2@@Z
+?ResetToURI@XMLDocument@dom@mozilla@@UAEXPAVnsIURI@@PAVnsILoadGroup@@PAVnsIPrincipal@@2@Z
+?GetAnimationController@Document@dom@mozilla@@QAEPAVSMILAnimationController@3@XZ
+??0SMILAnimationController@mozilla@@QAE@PAVDocument@dom@1@@Z
+??0SMILTimeContainer@mozilla@@QAE@XZ
+?Begin@SMILTimeContainer@mozilla@@QAEXXZ
+?Resume@SMILAnimationController@mozilla@@UAEXI@Z
+?Resume@SMILTimeContainer@mozilla@@UAEXI@Z
+?Disconnect@SMILAnimationController@mozilla@@QAEXXZ
+?ParentToContainerTime@SMILTimeContainer@mozilla@@QBE?AVSMILTimeValue@2@_J@Z
+?Pause@SMILAnimationController@mozilla@@UAEXI@Z
+?Pause@SMILTimeContainer@mozilla@@UAEXI@Z
+?SetAnimatingState@ImageTracker@dom@mozilla@@QAEX_N@Z
+?NotifyRefreshDriverCreated@SMILAnimationController@mozilla@@QAEXPAVnsRefreshDriver@@@Z
+?SetForwardingContainer@PresShell@mozilla@@QAEXABV?$WeakPtr@VnsDocShell@@$0A@@2@@Z
+?HasError@ImageResource@image@mozilla@@UAE_NXZ
+?AddRef@VectorImage@image@mozilla@@UAGKXZ
+?Set@nsProperties@@UAG?AW4nsresult@@PBDPAVnsISupports@@@Z
+?GetProgressTracker@ImageResource@image@mozilla@@UAE?AU?$already_AddRefed@VProgressTracker@image@mozilla@@@@XZ
+?OnImageAvailable@ProgressTracker@image@mozilla@@QAEXXZ
+?GetStaticRequest@imgRequestProxy@@QAE?AU?$already_AddRefed@VimgRequestProxy@@@@PAVDocument@dom@mozilla@@@Z
+?DoAdvanceRowFromBuffer@AbstractSurfaceSink@image@mozilla@@MAEPAEPBE@Z
+?GetSiteOriginNoSuffix@ContentPrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?SetUserPass@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetUserPass@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?ParseUserInfo@nsAuthURLParser@@UAG?AW4nsresult@@PBDHPAIPAH12@Z
+?SetPort@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@HPAPAVnsIURIMutator@@@Z
+?SetPort@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@H@Z
+?GetCommentNodeInfo@nsNodeInfoManager@@QAE?AU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@XZ
+?NS_NewSVGElement@@YA?AW4nsresult@@PAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@34@@Z
+?NS_NewSVGSVGElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0SVGViewportElement@dom@mozilla@@IAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0SVGGraphicsElement@dom@mozilla@@IAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0SVGElement@dom@mozilla@@IAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0SVGTests@dom@mozilla@@QAE@XZ
+?Init@SVGElement@dom@mozilla@@IAE?AW4nsresult@@XZ
+?GetLengthInfo@SVGViewportElement@dom@mozilla@@MAE?AULengthAttributesInfo@SVGElement@23@XZ
+?GetBooleanInfo@SVGElement@dom@mozilla@@MAE?AUBooleanAttributesInfo@123@XZ
+?GetEnumInfo@SVGSVGElement@dom@mozilla@@EAE?AUEnumAttributesInfo@SVGElement@23@XZ
+?GetAnimatedViewBox@SVGViewportElement@dom@mozilla@@UAEPAVSVGAnimatedViewBox@3@XZ
+?Init@SVGAnimatedViewBox@mozilla@@QAEXXZ
+?GetAnimatedPreserveAspectRatio@SVGViewportElement@dom@mozilla@@MAEPAVSVGAnimatedPreserveAspectRatio@3@XZ
+?BeforeSetAttr@SVGElement@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValueOrString@@_N@Z
+?BeforeSetAttr@nsStyledElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValueOrString@@_N@Z
+?ParseAttribute@SVGElement@dom@mozilla@@MAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?SetBaseValueString@SVGAnimatedLength@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVSVGElement@dom@2@_N@Z
+?ToDOMBaseVal@SVGAnimatedLength@mozilla@@AAE?AU?$already_AddRefed@VDOMSVGLength@dom@mozilla@@@@PAVSVGElement@dom@2@@Z
+?GetAndEnsureOneToken@SVGContentUtils@mozilla@@SA?AV?$nsTDependentSubstring@_S@@ABV?$nsTSubstring@_S@@AA_N@Z
+??$ParseNumber@M@SVGContentUtils@mozilla@@SA_NAAV?$RangedPtr@$$CB_S@1@ABV21@AAM@Z
+?YChannelSelector@SVGFEDisplacementMapElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMSVGAnimatedEnumeration@dom@mozilla@@@@XZ
+?SetBaseValueInSpecifiedUnits@SVGAnimatedLength@mozilla@@AAEXMPAVSVGElement@dom@2@_N@Z
+?IsAttributeMapped@SVGViewportElement@dom@mozilla@@UBG_NPBVnsAtom@@@Z
+?OnCacheEntryCheck@Action@Predictor@net@mozilla@@UAG?AW4nsresult@@PAVnsICacheEntry@@PAVnsIApplicationCache@@PAI@Z
+?AfterSetAttr@SVGElement@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?AfterSetAttr@Element@dom@mozilla@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?ParseAttribute@nsStyledElement@@MAE_NHPAVnsAtom@@ABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVnsAttrValue@@@Z
+?ZoomAndPan@SVGSVGElement@dom@mozilla@@QBEGXZ
+?BindToTree@SVGGraphicsElement@dom@mozilla@@UAE?AW4nsresult@@AAUBindContext@23@AAVnsINode@@@Z
+?BindToTree@SVGElement@dom@mozilla@@UAE?AW4nsresult@@AAUBindContext@23@AAVnsINode@@@Z
+?IsFocusableInternal@SVGGraphicsElement@dom@mozilla@@UAE_NPAH_N@Z
+?TabIndex@Element@dom@mozilla@@QAEHXZ
+?GetParserInsertedControlNumberForStateKey@nsIFormControl@@UBEHXZ
+?SetParent@SMILTimeContainer@mozilla@@QAE?AW4nsresult@@PAV12@@Z
+?NotifyRefreshDriverDestroying@SMILAnimationController@mozilla@@QAEXPAVnsRefreshDriver@@@Z
+?NS_NewSVGLineElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGLineElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?GetNumberInfo@SVGGeometryElement@dom@mozilla@@MAE?AUNumberAttributesInfo@SVGElement@23@XZ
+?AddRef@MathMLElement@dom@mozilla@@UAGKXZ
+?QueryInterface@SVGGraphicsElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ParseConditionalProcessingAttribute@SVGTests@dom@mozilla@@QAE_NPAVnsAtom@@ABV?$nsTSubstring@_S@@AAVnsAttrValue@@@Z
+?GetTransformListAttrName@SVGTransformableElement@dom@mozilla@@UBEPAVnsStaticAtom@@XZ
+?AfterSetAttr@SVGGeometryElement@dom@mozilla@@UAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?UpdateContentDeclarationBlock@SVGElement@dom@mozilla@@QAEXXZ
+?ElementMapsLengthsToStyle@SVGGeometryProperty@dom@mozilla@@YA_NPBVSVGElement@23@@Z
+?AttrAt@AttrArray@@QBEPBVnsAttrValue@@I@Z
+Servo_Property_LookupEnabledForAllContent
+?GetNameSpaceID@nsNameSpaceManager@@QAEHPAVnsAtom@@_N@Z
+_ZN5style10properties9longhands15shape_rendering16cascade_property17hfd8616882dad13e4E
+_ZN5style10properties9longhands12stroke_width16cascade_property17h06ac163ccf04171fE
+_ZN5style10properties9longhands16transform_origin16cascade_property17h1fbe4b163e45e3d3E
+?NS_NewSVGOuterSVGFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?UnregisterForeignObject@SVGOuterSVGFrame@mozilla@@QAEXPAVSVGForeignObjectFrame@2@@Z
+?PassesConditionalProcessingTests@SVGTests@dom@mozilla@@QBE_NXZ
+?Init@SVGDisplayContainerFrame@mozilla@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?VerticalScrollbarNotNeeded@SVGOuterSVGFrame@mozilla@@QBE_NXZ
+?MaybeSendIntrinsicSizeAndRatioToEmbedder@SVGOuterSVGFrame@mozilla@@IAEXXZ
+?GetPixelsPerUnit@SVGAnimatedLength@mozilla@@ABEMPAVSVGViewportElement@dom@2@E@Z
+?NS_NewSVGOuterSVGAnonChildFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?IsFrameOfType@SVGOuterSVGFrame@mozilla@@UBE_NI@Z
+?IsFrameOfType@SVGContainerFrame@mozilla@@UBE_NI@Z
+?QueryFrame@SVGDisplayContainerFrame@mozilla@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?GetFirstNonAAncestorFrame@SVGUtils@mozilla@@SAPAVnsIFrame@@PAV3@@Z
+?QueryInterface@SVGElement@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?NS_NewSVGGeometryFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?Init@SVGGeometryFrame@mozilla@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?DidSetComputedStyle@SVGGeometryFrame@mozilla@@UAEXPAVComputedStyle@2@@Z
+?QueryFrame@SVGGeometryFrame@mozilla@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?GetContentInsertionFrame@nsTableCellFrame@@UAEPAVnsContainerFrame@@XZ
+??0nsHtml5SVGLoadDispatcher@@QAE@PAVnsIContent@@@Z
+?ScrollToRestoredPosition@nsHTMLScrollFrame@@UAEXXZ
+?DocAddSizeOfIncludingThis@Document@dom@mozilla@@UBEXAAVnsWindowSizes@@@Z
+?DocAddSizeOfExcludingThis@XMLDocument@dom@mozilla@@UBEXAAVnsWindowSizes@@@Z
+?DocAddSizeOfExcludingThis@Document@dom@mozilla@@UBEXAAVnsWindowSizes@@@Z
+?AddSizeOfExcludingThis@nsINode@@UBEXAAVnsWindowSizes@@PAI@Z
+?SizeOfIncludingThis@EventListenerManager@mozilla@@QBEIP6AIPBX@Z@Z
+?AddSizeOfNodeTree@Document@dom@mozilla@@SAXAAVnsINode@@AAVnsWindowSizes@@@Z
+?AddSizeOfIncludingThis@nsINode@@QBEXAAVnsWindowSizes@@PAI@Z
+?AddSizeOfExcludingThis@CharacterData@dom@mozilla@@UBEXAAVnsWindowSizes@@PAI@Z
+?SizeOfExcludingThis@nsTextFragment@@QBEIP6AIPBX@Z@Z
+?AddSizeOfExcludingThis@SVGElement@dom@mozilla@@UBEXAAVnsWindowSizes@@PAI@Z
+?AddSizeOfExcludingThis@Element@dom@mozilla@@UBEXAAVnsWindowSizes@@PAI@Z
+?SizeOfExcludingThis@AttrArray@@QBEIP6AIPBX@Z@Z
+?SizeOfExcludingThis@nsAttrValue@@QBEIP6AIPBX@Z@Z
+Servo_Element_SizeOfExcludingThisAndCVs
+?AddSizeOfIncludingThis@ComputedStyle@mozilla@@QBEXAAVnsWindowSizes@@PAI@Z
+Servo_Element_GetMaybeOutOfDatePseudoStyle
+Servo_DeclarationBlock_SizeOfIncludingThis
+?DoAppendOwnedAnonBoxes@nsIFrame@@IAEXAAV?$nsTArray@UOwnedAnonBox@nsIFrame@@@@@Z
+?GetInvalidRegion@SVGForeignObjectFrame@mozilla@@QAE?AUnsRect@@XZ
+?AppendAnonymousContentTo@nsHTMLScrollFrame@@UAEXAAV?$nsTArray@PAVnsIContent@@@@I@Z
+?AppendAnonymousContentTo@ScrollFrameHelper@mozilla@@QAEXAAV?$nsTArray@PAVnsIContent@@@@I@Z
+?AppendAnonymousContentTo@nsCanvasFrame@@UAEXAAV?$nsTArray@PAVnsIContent@@@@I@Z
+?AddSizeOfIncludingThis@PresShell@mozilla@@QBEXAAVnsWindowSizes@@@Z
+?AddSizeOfExcludingThis@?$nsPresArena@$0CAAA@W4ArenaObjectID@mozilla@@$0KO@@@QBEXAAVnsWindowSizes@@W4ArenaKind@1@@Z
+?SizeOfIncludingThis@nsCaret@@QBEIP6AIPBX@Z@Z
+?SizeOfIncludingThis@AudioBlockBuffer@mozilla@@UBEIP6AIPBX@Z@Z
+?SizeOfTextRunsForFrames@nsLayoutUtils@@SAIPAVnsIFrame@@P6AIPBX@Z_N@Z
+?SizeOfIncludingThis@nsPresContext@@UBEIP6AIPBX@Z@Z
+?AddSizeOfIncludingThis@nsCSSFrameConstructor@@QBEXAAVnsWindowSizes@@@Z
+?AddSizeOfExcludingThisForTree@nsIFrame@@UBEXAAVnsWindowSizes@@@Z
+?AddSizeOfIncludingThis@ServoStyleSet@mozilla@@QBEXAAVnsWindowSizes@@@Z
+Servo_StyleSet_AddSizeOfExcludingThis
+_ZN5style5gecko4data24PerDocumentStyleDataImpl11add_size_of17ha63f9a5cbd003601E
+?InvalidateStyleForDocumentStateChanges@ServoStyleSet@mozilla@@QAEXVEventStates@2@@Z
+?SizeOfExcludingThis@nsPropertyTable@@QBEIP6AIPBX@Z@Z
+?AddSizeOfIncludingThis@nsGlobalWindowOuter@@QBEXAAVnsWindowSizes@@@Z
+?AddSizeOfExcludingThis@DocumentOrShadowRoot@dom@mozilla@@IBEXAAVnsWindowSizes@@@Z
+?SizeOfIncludingThis@Loader@css@mozilla@@QBEIP6AIPBX@Z@Z
+?DOMSizeOfIncludingThis@nsHTMLStyleSheet@@QBEIP6AIPBX@Z@Z
+?SizeOfIncludingThis@nsMappedAttributes@@QBEIP6AIPBX@Z@Z
+?getTotalSize@nsWindowSizes@@QBEIXZ
+?getTotalSize@nsArenaSizes@@QBEIXZ
+?UpdateCache@imgCacheEntry@@AAEXH@Z
+??_GProgressTracker@image@mozilla@@EAEPAXI@Z
+?GetCSSPropertyIdForAttrEnum@SVGRectElement@dom@mozilla@@SA?AW4nsCSSPropertyID@@E@Z
+?NS_NewSVGRectElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGRectElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+??0SVGGeometryElement@dom@mozilla@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?GetLengthInfo@SVGRectElement@dom@mozilla@@MAE?AULengthAttributesInfo@SVGElement@23@XZ
+?SpecifiedUnitTypeToCSSUnit@SVGGeometryProperty@dom@mozilla@@YA?AW4nsCSSUnit@@E@Z
+Servo_DeclarationBlock_SetLengthValue
+_ZN5style10properties9longhands1y16cascade_property17hf03b1d207997de67E
+_ZN5style10properties9longhands1x16cascade_property17h8fed0ad587aba73bE
+?NS_NewSVGPathElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGPathElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?GetPathDataAttrName@SVGPathElement@dom@mozilla@@UBEPAVnsStaticAtom@@XZ
+?IsAttributeMapped@SVGPathElement@dom@mozilla@@UBG_NPBVnsAtom@@@Z
+?GetAnimPathSegList@SVGPathElement@dom@mozilla@@UAEPAVSVGAnimatedPathSegList@3@XZ
+?SetBaseValueString@SVGAnimatedPathSegList@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?SetValueFromString@SVGPathData@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+??0SVGDataParser@mozilla@@QAE@ABV?$nsTSubstring@_S@@@Z
+?BuildPath@SVGPathData@mozilla@@SA?AU?$already_AddRefed@VPath@gfx@mozilla@@@@V?$Span@$$CBUStylePathCommand@mozilla@@$0PPPPPPPP@@2@PAVPathBuilder@gfx@2@W4StyleStrokeLinecap@2@MM@Z
+?SkipWsp@SVGDataParser@mozilla@@IAE_NXZ
+?SkipCommaWsp@SVGDataParser@mozilla@@IAE_NXZ
+?GetValueAsString@SVGPathData@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?GetDOMWrapperIfExists@DOMSVGPathSegList@dom@mozilla@@SAPAV123@PAX@Z
+?CopyFrom@SVGPathData@mozilla@@IAE?AW4nsresult@@ABV12@@Z
+?SetTo@nsAttrValue@@QAEXABVSVGPathData@mozilla@@PBV?$nsTSubstring@_S@@@Z
+_ZN5style10properties9longhands2ry16cascade_property17hc9621261eda6c86eE
+_ZN5style10properties9longhands2rx16cascade_property17ha54351fae708c76dE
+?SetBaseValueString@SVGAnimatedViewBox@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVSVGElement@dom@2@_N@Z
+??8SVGViewBox@mozilla@@QBE_NABU01@@Z
+??$ParseNumber@M@SVGContentUtils@mozilla@@SA_NABV?$nsTSubstring@_S@@AAM@Z
+?SetBaseValue@SVGAnimatedViewBox@mozilla@@QAEXABUSVGViewBox@2@PAVSVGElement@dom@2@@Z
+_ZN5style10properties9longhands6filter16cascade_property17h69838cc105453712E
+?AddRef@DocManager@a11y@mozilla@@W3AGKXZ
+?Read@NonBlockingAsyncInputStream@mozilla@@UAG?AW4nsresult@@PADIPAI@Z
+??1?$nsTArray_Impl@VKey@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?EndObservingDocument@PresShell@mozilla@@QAEXXZ
+?ClearMouseCapture@PresShell@mozilla@@SAXPAVnsIFrame@@@Z
+?EnsureVisible@nsPresContext@@QAE_NXZ
+??$RemoveElement@PAVnsISelectionListener@@V?$nsDefaultComparator@V?$nsCOMPtr@VnsISelectionListener@@@@PAVnsISelectionListener@@@@@?$nsTArray_Impl@V?$nsCOMPtr@VnsISelectionListener@@@@UnsTArrayInfallibleAllocator@@@@QAE_NABQAVnsISelectionListener@@ABV?$nsDefaultComparator@V?$nsCOMPtr@VnsISelectionListener@@@@PAVnsISelectionListener@@@@@Z
+?Destroy@PresShell@mozilla@@QAEXXZ
+?GetUserFontSet@Document@dom@mozilla@@QAEPAVgfxUserFontSet@@XZ
+?FactoryGet@CountHistogram@base@@SAPAVHistogram@2@W4Flags@32@PBH@Z
+?SetDragState@nsFrameSelection@@QAEX_N@Z
+?NotifyDestroyPresContext@EventStateManager@mozilla@@QAEXPAVnsPresContext@@@Z
+?OnDestroyPresContext@IMEStateManager@mozilla@@SA?AW4nsresult@@PAVnsPresContext@@@Z
+?UnregisterPresShell@nsStyleSheetService@@QAEXPAVPresShell@mozilla@@@Z
+?Terminate@nsCaret@@QAEXXZ
+?DisconnectFromPresShell@nsFrameSelection@@QAEXXZ
+?Clear@Selection@dom@mozilla@@QAE?AW4nsresult@@PAVnsPresContext@@@Z
+?DeletePresShell@Document@dom@mozilla@@QAEXXZ
+?CancelPendingFullscreenEvents@nsRefreshDriver@@QAEXPAVDocument@dom@mozilla@@@Z
+?RequestDiscardAll@ImageTracker@dom@mozilla@@QAEXXZ
+??0DocumentStyleRootIterator@mozilla@@QAE@PAVnsINode@@@Z
+?GetNextStyleRoot@DocumentStyleRootIterator@mozilla@@QAEPAVElement@dom@2@XZ
+?ShellDetachedFromDocument@ServoStyleSet@mozilla@@QAEXXZ
+?DropStyleSet@StyleSheet@mozilla@@QAEXPAVServoStyleSet@2@@Z
+Servo_StyleSet_RemoveStyleSheet
+_ZN5style7stylist7Stylist17remove_stylesheet17hfe4c712439a88006E
+?CancelPendingAnimationEvents@nsRefreshDriver@@QAEXPAVAnimationEventDispatcher@mozilla@@@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@UAnimationEventInfo@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?StopObservingRefreshDriver@PresShell@mozilla@@QAEXXZ
+?WillDestroyFrameTree@nsCSSFrameConstructor@@QAEXXZ
+?SetIgnoreFrameDestruction@PresShell@mozilla@@QAEX_N@Z
+?ClearFrames@ImageLoader@css@mozilla@@QAEXPAVnsPresContext@@@Z
+?DetachPresShell@nsPresContext@@QAEXXZ
+?Disconnect@CounterStyleManager@mozilla@@QAEXXZ
+?CleanRetiredStyles@CounterStyleManager@mozilla@@QAEXXZ
+??1CounterStyleManager@mozilla@@AAE@XZ
+?Disconnect@AnimationEventDispatcher@mozilla@@QAEXXZ
+?Destroy@TouchManager@mozilla@@QAEXXZ
+??1?$nsTArray_Impl@V?$RefPtr@VTouch@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1PresShell@mozilla@@AAE@XZ
+?TruncateLength@?$nsTArray_Impl@UnsStyleChangeData@@UnsTArrayInfallibleAllocator@@@@QAEXI@Z
+?Clear@nsGenConList@@QAEXXZ
+??1?$nsPresArena@$0CAAA@W4ArenaObjectID@mozilla@@$0KO@@@QAE@XZ
+?Destroy@Document@dom@mozilla@@UAEXXZ
+?Destroy@ScriptLoader@dom@mozilla@@QAEXXZ
+?UnregisterShutdownObserver@nsContentUtils@@SAXPAVnsIObserver@@@Z
+?GetTopLevelContentDocument@Document@dom@mozilla@@QAEPAV123@XZ
+?DestroyContent@FragmentOrElement@dom@mozilla@@UAEXXZ
+??1nsViewManager@@AAE@XZ
+??0MulticastDNSDeviceProvider@presentation@dom@mozilla@@QAE@XZ
+?DestroyWidget@nsView@@QAEXXZ
+?GetInProcessSameTypeRootTreeItem@nsDocShell@@UAG?AW4nsresult@@PAPAVnsIDocShellTreeItem@@@Z
+?Release@PresShell@mozilla@@W7AGKXZ
+?SetReadyForFocus@nsGlobalWindowInner@@UAEXXZ
+?WindowShown@nsFocusManager@@QAEXPAVmozIDOMWindowProxy@@_N@Z
+?SetIsActiveBrowserWindowInternal@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@_N@Z
+?GetExtantDocument@nsDocShell@@UAEPAVDocument@dom@mozilla@@XZ
+??_GnsTimerEvent@@EAEPAXI@Z
+?NS_NewSVGGElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGGElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?IsNodeOfType@SVGViewportElement@dom@mozilla@@UBE_NI@Z
+?NS_NewSVGGFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+??_GCounterStyleCleaner@@UAEPAXI@Z
+?FlushWillPaintObservers@nsRootPresContext@@QAEXXZ
+?Run@AsyncScrollPortEvent@ScrollFrameHelper@mozilla@@UAG?AW4nsresult@@XZ
+?FireScrollPortEvent@ScrollFrameHelper@mozilla@@QAE?AW4nsresult@@XZ
+??$RemoveElement@PAVnsAPostRefreshObserver@@@?$nsAutoTObserverArray@PAVnsAPostRefreshObserver@@$0A@@@QAE_NABQAVnsAPostRefreshObserver@@@Z
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@ABV?$Rooted@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@5@@Z
+??$destroy@V?$Variant@Uuninitialized@@UopAppend@@UopDetach@@UopAppendChildrenToNewParent@@UopFosterParent@@UopAppendToDocument@@UopAddAttributes@@W4nsHtml5DocumentMode@@UopCreateHTMLElement@@UopCreateSVGElement@@UopCreateMathMLElement@@UopSetFormElement@@UopAppendText@@UopFosterParentText@@UopAppendComment@@UopAppendCommentToDocument@@UopAppendDoctypeToDocument@@UopGetDocumentFragmentForTemplate@@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@UopRunScriptAsyncDefer@@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCreatingElement@@UopSetDocumentCharset@@UopCharsetSwitchTo@@UopUpdateStyleSheet@@UopProcessOfflineManifest@@UopMarkMalformedIfScript@@UopStreamEnded@@UopSetStyleLineNumber@@UopSetScriptLineAndColumnNumberAndFreeze@@UopSvgLoad@@UopMaybeComplainAboutCharset@@UopMaybeComplainAboutDeepTree@@UopAddClass@@UopAddViewSourceHref@@UopAddViewSourceBase@@UopAddErrorType@@UopAddLineNumberId@@UopStartLayout@@UopEnableEncodingMenu@@@mozilla@@@?$VariantImplementation@E$0BG@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCreatingElement@@UopSetDocumentCharset@@UopCharsetSwitchTo@@UopUpdateStyleSheet@@UopProcessOfflineManifest@@UopMarkMalformedIfScript@@UopStreamEnded@@UopSetStyleLineNumber@@UopSetScriptLineAndColumnNumberAndFreeze@@UopSvgLoad@@UopMaybeComplainAboutCharset@@UopMaybeComplainAboutDeepTree@@UopAddClass@@UopAddViewSourceHref@@UopAddViewSourceBase@@UopAddErrorType@@UopAddLineNumberId@@UopStartLayout@@UopEnableEncodingMenu@@@detail@mozilla@@SAXAAV?$Variant@Uuninitialized@@UopAppend@@UopDetach@@UopAppendChildrenToNewParent@@UopFosterParent@@UopAppendToDocument@@UopAddAttributes@@W4nsHtml5DocumentMode@@UopCreateHTMLElement@@UopCreateSVGElement@@UopCreateMathMLElement@@UopSetFormElement@@UopAppendText@@UopFosterParentText@@UopAppendComment@@UopAppendCommentToDocument@@UopAppendDoctypeToDocument@@UopGetDocumentFragmentForTemplate@@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@UopRunScriptAsyncDefer@@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCre
+?UnbindFromTree@SVGSVGElement@dom@mozilla@@UAEX_N@Z
+?ClearMilestones@SMILTimeContainer@mozilla@@QAEXXZ
+?AnimationNeedsResample@SVGElement@dom@mozilla@@QAEXXZ
+?FlagDocumentNeedsFlush@SMILAnimationController@mozilla@@IAEXXZ
+?ComplainAboutBogusProtocolCharset@nsHtml5TreeOpExecutor@@QAEXPAVDocument@dom@mozilla@@@Z
+?delazifyLazilyInterpretedFunction@JSFunction@@SA_NPAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?CompileLazyFunctionToStencil@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@V?$Handle@PAVBaseScript@js@@@JS@@PBTUtf8Unit@mozilla@@I@Z
+?standaloneLazyFunction@?$Parser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@QAEPAVFunctionNode@23@V?$Handle@PAVJSFunction@@@JS@@I_NW4GeneratorKind@3@W4FunctionAsyncKind@3@@Z
+?internJSAtom@ParserAtomsTable@frontend@js@@QAEPBVParserAtom@23@PAUJSContext@@AAUCompilationInfo@23@PAVJSAtom@@@Z
+?fullyInitFromStencil@JSScript@@SA_NPAUJSContext@@AAUCompilationInfo@frontend@js@@AAUCompilationGCOutput@45@V?$Handle@PAVJSScript@@@JS@@ABVScriptStencil@45@V?$Handle@PAVJSFunction@@@8@@Z
+?advance@?$TokenStreamSpecific@TUtf8Unit@mozilla@@V?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@TUtf8Unit@mozilla@@@frontend@js@@@frontend@js@@@frontend@js@@QAE_NI@Z
+?StopSyncLoop@WorkerPrivate@dom@mozilla@@QAEXPAVnsIEventTarget@@_N@Z
+??1WorkerSyncRunnable@dom@mozilla@@MAE@XZ
+?DestroySyncLoop@WorkerPrivate@dom@mozilla@@AAE_NI@Z
+??_GIPCWorkerRef@dom@mozilla@@EAEPAXI@Z
+??1WorkerRef@dom@mozilla@@MAE@XZ
+??$GenericGetter@UMaybeGlobalThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetPerformance@WorkerGlobalScope@dom@mozilla@@QAEPAVPerformance@23@XZ
+?CreateForWorker@Performance@dom@mozilla@@SA?AU?$already_AddRefed@VPerformance@dom@mozilla@@@@PAVWorkerPrivate@23@@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@V?$OwningNonNull@VDOMMediaStream@mozilla@@@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$OwningNonNull@VDOMMediaStream@mozilla@@@mozilla@@I@Z
+?Now@Performance@dom@mozilla@@QAENXZ
+?CreationTimeStamp@PerformanceWorker@dom@mozilla@@UBE?AVTimeStamp@3@XZ
+?GetProtoObject@WorkletGlobalScope_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?Constructor@XMLHttpRequest@dom@mozilla@@SA?AU?$already_AddRefed@VXMLHttpRequest@dom@mozilla@@@@ABVGlobalObject@23@ABUMozXMLHttpRequestParameters@23@AAVErrorResult@3@@Z
+?GetResolution@nsPrintSettings@@UAG?AW4nsresult@@PAH@Z
+?Wrap@XMLHttpRequest_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVXMLHttpRequest@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+??0WorkerMainThreadRunnable@dom@mozilla@@IAE@PAVWorkerPrivate@12@ABV?$nsTSubstring@D@@@Z
+?Dispatch@WorkerMainThreadRunnable@dom@mozilla@@QAEXW4WorkerStatus@23@AAVErrorResult@3@@Z
+?GetCurrentViewElement@SVGSVGElement@dom@mozilla@@EBEPAVSVGViewElement@23@XZ
+?HasRect@SVGAnimatedViewBox@mozilla@@QBE_NXZ
+?NS_NewSVGCircleElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGCircleElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?GetLengthInfo@SVGCircleElement@dom@mozilla@@MAE?AULengthAttributesInfo@SVGElement@23@XZ
+?ToString@SVGAttrValueWrapper@mozilla@@SAXPBVSVGTransformList@2@AAV?$nsTSubstring@_S@@@Z
+?GetName@Runnable@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?Run@WorkerMainThreadRunnable@dom@mozilla@@EAG?AW4nsresult@@XZ
+?GetCaretBidiLevel@nsFrameSelection@@QBEEXZ
+?AddRef@Proxy@dom@mozilla@@UAGKXZ
+?GetDocumentIfCurrent@DOMEventTargetHelper@mozilla@@QBEPAVDocument@dom@2@XZ
+?GetValidRequestMethod@FetchUtil@dom@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV?$nsTString@D@@@Z
+?ToUpperCase@@YAXAAV?$nsTSubstring@D@@@Z
+?IsValidToken@nsHttp@net@mozilla@@YA_NPBD0@Z
+?UnprivilegedJunkScope@XPCJSRuntime@@QAEPAVJSObject@@ABUnothrow_t@std@@@Z
+?CreateSandboxObject@xpc@@YA?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@PAVnsISupports@@AAVSandboxOptions@1@@Z
+?AddRef@WindowGlobalChild@dom@mozilla@@UAGKXZ
+?DeleteCycleCollectable@WorkletGlobalScope@dom@mozilla@@UAGXXZ
+?PreserveWrapper@nsWrapperCache@@QAEXPAXPAVnsScriptObjectTracer@@@Z
+?JS_StructuredClone@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@3@PBUJSStructuredCloneCallbacks@@PAX@Z
+?write@JSAutoStructuredCloneBuffer@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PBUJSStructuredCloneCallbacks@@PAX@Z
+?Release@WindowGlobalChild@dom@mozilla@@UAGKXZ
+??0WorkerSyncRunnable@dom@mozilla@@IAE@PAVWorkerPrivate@12@$$QAV?$nsCOMPtr@VnsIEventTarget@@@@@Z
+??0MainThreadStopSyncLoopRunnable@dom@mozilla@@QAE@PAVWorkerPrivate@12@$$QAV?$nsCOMPtr@VnsIEventTarget@@@@_N@Z
+?DoSample@SMILAnimationController@mozilla@@IAEX_N@Z
+?GetNextMilestoneInParentTime@SMILTimeContainer@mozilla@@QBE_NAAVSMILMilestone@2@@Z
+?Sample@SMILTimeContainer@mozilla@@QAEXXZ
+?PreTraverseInSubtree@SMILAnimationController@mozilla@@QAE_NPAVElement@dom@2@@Z
+?StyleForScrollbar@nsLayoutUtils@@SAPAVComputedStyle@mozilla@@PAVnsIFrame@@@Z
+?UpdateHasChildrenOnlyTransform@SVGViewportElement@dom@mozilla@@QAEXXZ
+?ClearImageOverridePreserveAspectRatio@SVGSVGElement@dom@mozilla@@AAEXXZ
+?PostRun@WorkerRunnable@dom@mozilla@@MAEXPAUJSContext@@PAVWorkerPrivate@23@_N@Z
+?ReflowSVG@SVGDisplayContainerFrame@mozilla@@UAEXXZ
+?AttributeChanged@SVGGFrame@mozilla@@UAE?AW4nsresult@@HPAVnsAtom@@H@Z
+?GetCanvasTM@SVGGeometryFrame@mozilla@@QAE?AV?$BaseMatrix@N@gfx@2@XZ
+?GetGeometryHitTestFlags@SVGUtils@mozilla@@SAGPAVnsIFrame@@@Z
+?GetBBoxContribution@SVGGeometryFrame@mozilla@@MAE?AVSVGBBox@2@ABV?$BaseMatrix@M@gfx@2@I@Z
+?GetStrokeOptions@SVGContentUtils@mozilla@@SAXPAUAutoStrokeOptions@12@PAVSVGElement@dom@2@PBVComputedStyle@2@PAVSVGContextPaint@2@W4StrokeOptionFlags@12@@Z
+?GetOuterSVGElement@SVGContentUtils@mozilla@@SAPAVSVGSVGElement@dom@2@PAVSVGElement@42@@Z
+?GetStrokeWidth@SVGContentUtils@mozilla@@SAMPAVSVGElement@dom@2@PBVComputedStyle@2@PAVSVGContextPaint@2@@Z
+?CoordToFloat@SVGContentUtils@mozilla@@SAMPAVSVGElement@dom@2@ABTStyleLengthPercentageUnion@2@E@Z
+?GetNonScalingStrokeTransform@SVGUtils@mozilla@@SA_NPAVnsIFrame@@PAV?$BaseMatrix@N@gfx@2@@Z
+?GetAnimatedLengthValues@SVGElement@dom@mozilla@@QAAXPAMZZ
+?ExpandToEnclose@?$BaseRect@MU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@U?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@U?$SizeTyped@UUnknownUnits@gfx@mozilla@@M@23@U?$MarginTyped@UUnknownUnits@gfx@mozilla@@M@23@@gfx@mozilla@@QAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+?GetAndObserveMarkers@SVGObserverUtils@mozilla@@SA_NPAVnsIFrame@@PAY02PAVSVGMarkerFrame@2@@Z
+??$FindEnumStringIndex@$0A@@dom@mozilla@@YA_NAAVBindingCallContext@01@V?$Handle@VValue@JS@@@JS@@PBUEnumEntry@01@PBD3PAH@Z
+?UpdateEffects@SVGObserverUtils@mozilla@@SAXPAVnsIFrame@@@Z
+?HasAnimationOfTransformAndMotionPath@nsLayoutUtils@@SA_NPBVnsIFrame@@@Z
+?HasAnimationOfPropertySet@nsLayoutUtils@@SA_NPBVnsIFrame@@ABVnsCSSPropertyIDSet@@@Z
+?IsSVGTransformed@SVGGeometryFrame@mozilla@@UBE_NPAV?$BaseMatrix@M@gfx@2@0@Z
+?GetAnimatedTransformList@SVGTransformableElement@dom@mozilla@@UAEPAVSVGAnimatedTransformList@3@I@Z
+?GetContextSize@SVGUtils@mozilla@@SA?AU?$SizeTyped@UUnknownUnits@gfx@mozilla@@M@gfx@2@PBVnsIFrame@@@Z
+?GetNearestViewportElement@SVGContentUtils@mozilla@@SAPAVSVGViewportElement@dom@2@PBVnsIContent@@@Z
+?PrependLocalTransformsTo@SVGViewportElement@dom@mozilla@@UBE?AV?$BaseMatrix@N@gfx@3@ABV453@W4SVGTransformTypes@3@@Z
+?GetViewBoxTransform@SVGViewportElement@dom@mozilla@@QBE?AV?$BaseMatrix@M@gfx@3@XZ
+?AttributeChanged@SVGOuterSVGFrame@mozilla@@UAE?AW4nsresult@@HPAVnsAtom@@H@Z
+?GetAnimatedTransformList@SVGSVGElement@dom@mozilla@@UAEPAVSVGAnimatedTransformList@3@I@Z
+?GetMobileViewportManager@PresShell@mozilla@@QBE?AV?$RefPtr@VMobileViewportManager@@@@XZ
+?UpdateWidgetGeometry@nsViewManager@@QAEXXZ
+?Timeline@Document@dom@mozilla@@QAEPAVDocumentTimeline@23@XZ
+??0DocumentTimeline@dom@mozilla@@QAE@PAVDocument@12@ABV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@2@@Z
+?StartObserving@SVGRenderingObserver@mozilla@@IAEXXZ
+?AddRenderingObserver@SVGObserverUtils@mozilla@@SAXPAVElement@dom@2@PAVSVGRenderingObserver@2@@Z
+?GetMaxSizedIntRect@@YAABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@XZ
+?SyncNotifyProgress@ProgressTracker@image@mozilla@@QAEXIABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?NotificationsDeferred@imgRequestProxy@@UBE_NXZ
+?SetAnimationMode@VectorImage@image@mozilla@@UAG?AW4nsresult@@G@Z
+?GetIntrinsicWidth@SVGSVGElement@dom@mozilla@@QAEHXZ
+?GetIntrinsicHeight@SVGSVGElement@dom@mozilla@@QAEHXZ
+?SetAnimationMode@ImageLoader@css@mozilla@@QAEXG@Z
+?GetProducerId@RasterImage@image@mozilla@@UAG?AW4nsresult@@PAI@Z
+?ProcessInvalidateForImage@WebRenderUserData@layers@mozilla@@SA_NPAVnsIFrame@@W4DisplayItemType@@I@Z
+?InvalidateLayer@nsIFrame@@QAEPAVLayer@layers@mozilla@@W4DisplayItemType@@PBU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@4@PBUnsRect@@I@Z
+?GetDedicatedLayer@FrameLayerBuilder@mozilla@@SAPAVLayer@layers@2@PAVnsIFrame@@W4DisplayItemType@@@Z
+?HasRetainedDataFor@FrameLayerBuilder@mozilla@@SA_NPAVnsIFrame@@I@Z
+?GetImageStatus@ProgressTracker@image@mozilla@@QBEIXZ
+?EvaluateAnimation@ImageResource@image@mozilla@@MAEXXZ
+?Ry@SVGRectElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMSVGAnimatedLength@dom@mozilla@@@@XZ
+??$ResolveImpl@UWidth@Tags@SVGGeometryProperty@dom@mozilla@@@details@SVGGeometryProperty@dom@mozilla@@YAMABVComputedStyle@3@PAVSVGElement@23@ULengthPercentWidthHeight@ResolverTypes@123@@Z
+??$ResolveImpl@UHeight@Tags@SVGGeometryProperty@dom@mozilla@@@details@SVGGeometryProperty@dom@mozilla@@YAMABVComputedStyle@3@PAVSVGElement@23@ULengthPercentWidthHeight@ResolverTypes@123@@Z
+??$ResolveWith@URx@Tags@SVGGeometryProperty@dom@mozilla@@@SVGGeometryProperty@dom@mozilla@@YAMABVComputedStyle@2@PBVSVGElement@12@@Z
+??$ResolveWith@URy@Tags@SVGGeometryProperty@dom@mozilla@@@SVGGeometryProperty@dom@mozilla@@YAMABVComputedStyle@2@PBVSVGElement@12@@Z
+?HasListenersFor@EventListenerManager@mozilla@@QBE_NPAVnsAtom@@@Z
+?NotifyNetworkMonitorAlternateStack@dom@mozilla@@YAXPAVnsISupports@@V?$UniquePtr@VSerializedStackHolder@dom@mozilla@@V?$DefaultDelete@VSerializedStackHolder@dom@mozilla@@@3@@2@@Z
+?Release@nsStreamListenerWrapper@net@mozilla@@UAGKXZ
+??0ProgressEventInit@dom@mozilla@@QAE@XZ
+?ToObjectInternal@ProfileTimelineMarker@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Constructor@ProgressEvent@dom@mozilla@@SA?AU?$already_AddRefed@VProgressEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUProgressEventInit@23@@Z
+?IsCurrentThreadRunningChromeWorker@dom@mozilla@@YA_NXZ
+?BeginPrinting@PrintTarget@gfx@mozilla@@UAE?AW4nsresult@@ABV?$nsTSubstring@_S@@0HH@Z
+?CreateDrawTargetForSurface@gfxPlatform@@SA?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@PAVgfxASurface@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?GetSurfaceFormat@gfxASurface@@UBE?AW4SurfaceFormat@gfx@mozilla@@XZ
+?GfxFormatForCairoSurface@gfx@mozilla@@YA?AW4SurfaceFormat@12@PAU_cairo_surface@@@Z
+?CreateDrawTargetForCairoSurface@Factory@gfx@mozilla@@SA?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@PAU_cairo_surface@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@PAW4SurfaceFormat@23@@Z
+??0DrawTargetCairo@gfx@mozilla@@QAE@XZ
+_moz_cairo_surface_reference
+?InitAlreadyReferenced@DrawTargetCairo@gfx@mozilla@@AAE_NPAU_cairo_surface@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@PAW4SurfaceFormat@23@@Z
+_moz_cairo_create
+_cairo_user_data_array_init
+_cairo_gstate_init
+_cairo_stroke_style_init
+_moz_cairo_rectangle
+_cairo_path_fixed_move_to
+_cairo_path_fixed_rel_line_to
+_cairo_path_fixed_close_path
+_moz_cairo_clip
+_cairo_clip_clip
+_cairo_path_fixed_is_box
+_freed_pool_get_search
+_cairo_path_fixed_init_copy
+_moz_cairo_get_group_target
+?GetOrBuildPath@SVGGeometryElement@dom@mozilla@@UAE?AU?$already_AddRefed@VPath@gfx@mozilla@@@@PBVDrawTarget@gfx@3@W4FillRule@63@@Z
+?GetBackendType@DrawTargetCairo@gfx@mozilla@@UBE?AW4BackendType@23@XZ
+?GetDummySurface@DrawTargetCairo@gfx@mozilla@@SAPAU_cairo_surface@@XZ
+??0PathBuilderCairo@gfx@mozilla@@QAE@W4FillRule@12@@Z
+?AnimatedPathSegList@SVGPathElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMSVGPathSegList@dom@mozilla@@@@XZ
+?BuildPath@SVGPathData@mozilla@@QBE?AU?$already_AddRefed@VPath@gfx@mozilla@@@@PAVPathBuilder@gfx@2@W4StyleStrokeLinecap@2@M@Z
+?ComputeLength@Path@gfx@mozilla@@UAEMXZ
+?CollectReports@NativeFontResourceDataMemoryReporter@gfx@mozilla@@UAG?AW4nsresult@@PAVnsIHandleReportCallback@@PAVnsISupports@@_N@Z
+?ComputePointAtLength@Path@gfx@mozilla@@UAE?AU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@MPAU423@@Z
+?AppendPathToBuilder@PathCairo@gfx@mozilla@@QBEXPAVPathBuilderCairo@23@PBV?$BaseMatrix@M@23@@Z
+_moz_cairo_image_surface_create
+_cairo_image_surface_create_with_pixman_format
+_moz_cairo_matrix_init
+_moz_cairo_set_matrix
+_cairo_gstate_set_matrix
+_moz_cairo_set_fill_rule
+_moz_cairo_append_path
+_cairo_path_append_to_context
+_moz_cairo_matrix_multiply
+_moz_cairo_matrix_transform_point
+_cairo_path_fixed_line_to
+_moz_cairo_path_extents
+_cairo_gstate_path_extents
+_cairo_path_fixed_extents
+?PathExtentsToMaxStrokeExtents@SVGUtils@mozilla@@SA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@2@ABU342@PAVSVGGeometryFrame@2@ABV?$BaseMatrix@N@42@@Z
+?ShapeTypeHasNoCorners@SVGContentUtils@mozilla@@SA_NPBVnsIContent@@@Z
+?PathExtentsToMaxStrokeExtents@SVGUtils@mozilla@@SA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@2@ABU342@PAVnsTextFrame@@ABV?$BaseMatrix@N@42@@Z
+?GetStrokeWidth@SVGUtils@mozilla@@SAMPAVnsIFrame@@PAVSVGContextPaint@2@@Z
+?UnionEdges@SVGBBox@mozilla@@QAEXABV12@@Z
+??_GPathCairo@gfx@mozilla@@UAEPAXI@Z
+??1PathCairo@gfx@mozilla@@UAE@XZ
+_moz_cairo_destroy
+_moz_cairo_surface_flush
+_cairo_gstate_fini
+_moz_cairo_scaled_font_destroy
+_moz_cairo_surface_destroy
+_cairo_user_data_array_fini
+?Release@gfxASurface@@QAEIXZ
+??_GDrawTargetCairo@gfx@mozilla@@UAEPAXI@Z
+??1DrawTargetCairo@gfx@mozilla@@UAE@XZ
+_cairo_path_fixed_fini
+?HasStroke@SVGUtils@mozilla@@SA_NPAVnsIFrame@@PAVSVGContextPaint@2@@Z
+_cairo_path_fixed_curve_to
+_cairo_spline_bound
+_cairo_path_fixed_approximate_fill_extents
+?InsertFrames@SVGDisplayContainerFrame@mozilla@@UAEXW4FrameChildListID@layout@2@PAVnsIFrame@@PBVnsLineList_iterator@@AAVnsFrameList@@@Z
+?ContentAppended@SVGRenderingObserver@mozilla@@UAEXPAVnsIContent@@@Z
+?GetPostFilterInkOverflowRect@SVGUtils@mozilla@@SA?AUnsRect@@PAVnsIFrame@@ABU3@@Z
+?GetAndObserveFilters@SVGObserverUtils@mozilla@@SA?AW4ReferenceState@12@PAVnsIFrame@@PAV?$nsTArray@PAVSVGFilterFrame@mozilla@@@@@Z
+?GetPostFilterBounds@FilterInstance@mozilla@@SA?AUnsRect@@PAVnsIFrame@@PBU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@2@PBU3@@Z
+?GetCanvasTM@SVGUtils@mozilla@@SA?AV?$BaseMatrix@N@gfx@2@PAVnsIFrame@@@Z
+?IsFrameOfType@SVGGeometryFrame@mozilla@@UBE_NI@Z
+?PrependLocalTransformsTo@SVGTransformableElement@dom@mozilla@@UBE?AV?$BaseMatrix@N@gfx@3@ABV453@W4SVGTransformTypes@3@@Z
+?PaintFilteredFrame@FilterInstance@mozilla@@SAXPAVnsIFrame@@PAVgfxContext@@PAVSVGFilterPaintCallback@2@PBVnsRegion@@AAUimgDrawingParams@image@2@M@Z
+??0SVGElementMetrics@dom@mozilla@@QAE@PAVSVGElement@12@PAVSVGViewportElement@12@@Z
+?GetFilterDescription@FilterInstance@mozilla@@SA?AUFilterDescription@gfx@2@PAVnsIContent@@V?$Span@$$CBU?$StyleGenericFilter@UStyleAngle@mozilla@@MMUStyleCSSPixelLength@2@U?$StyleGenericSimpleShadow@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UStyleCSSPixelLength@2@U32@@2@UStyleComputedUrl@2@@mozilla@@$0PPPPPPPP@@2@_NABVUserSpaceMetrics@dom@2@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@42@AAV?$nsTArray@V?$RefPtr@VSourceSurface@gfx@mozilla@@@@@@@Z
+?GetBBox@SVGUtils@mozilla@@SA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@2@PAVnsIFrame@@IPBV?$BaseMatrix@N@42@@Z
+?IsSVGTransformed@SVGDisplayContainerFrame@mozilla@@UBE_NPAV?$BaseMatrix@M@gfx@2@0@Z
+?NS_NewDocElementBoxFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?OnStartRequest@nsStreamListenerWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?GetSpecIgnoringRef@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?OnDataAvailable@nsStreamListenerWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?BulkWrite@?$nsTSubstring@_S@@QAI?AV?$Result@V?$BulkWriteHandle@_S@mozilla@@W4nsresult@@@mozilla@@II_N@Z
+?FinishBulkWriteImpl@?$nsTSubstring@_S@@IAIXI@Z
+?RFind@?$nsTString@D@@QBEHPBD_NHH@Z
+?OnStopRequest@nsStreamListenerWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@W44@@Z
+?DispatchToMainThread@WorkerPrivate@dom@mozilla@@QAE?AW4nsresult@@PAVnsIRunnable@@I@Z
+?clonedSelfHostedGeneratorKind@JSFunction@@QBE?AW4GeneratorKind@js@@XZ
+?DescribeScriptedCallerForCompilation@js@@YAXPAUJSContext@@V?$MutableHandle@PAVJSScript@@@JS@@PAPBDPAI3PA_N@Z
+?isRuntimeCodeGenEnabled@GlobalObject@js@@SA_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@V?$Handle@PAVGlobalObject@js@@@5@@Z
+?IsEvalAllowed@nsContentSecurityUtils@@SA_NPAUJSContext@@_NABV?$nsTSubstring@_S@@@Z
+?GetCallingLocation@nsJSUtils@@SA_NPAUJSContext@@AAV?$nsTSubstring@D@@PAI2@Z
+?Assign@?$nsTSubstring@D@@QAI_NPBDIABUnothrow_t@std@@@Z
+?FormatIntroducedFilename@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PBDI1@Z
+??$SprintfLiteral@$0P@@@YAHAAY0P@DPBDZZ
+snprintf
+?DuplicateString@js@@YA?AV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@PB_SI@Z
+?emitUint32Operand@BytecodeEmitter@frontend@js@@QAE_NW4JSOp@@I@Z
+?reifyLength@ArgumentsObject@js@@SA_NPAUJSContext@@V?$Handle@PAVArgumentsObject@js@@@JS@@@Z
+?NativeDefineAccessorProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@UPropertyKey@JS@@@4@P6A_N0V?$Handle@PAVJSObject@@@4@2V?$MutableHandle@VValue@JS@@@4@@ZP6A_N032V?$Handle@VValue@JS@@@4@AAVObjectOpResult@4@@ZI@Z
+?valueIsEval@GlobalObject@js@@QAE_NABVValue@JS@@@Z
+?DirectEval@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?IndirectEval@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetIsFormSubmission@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+encoding_is_ascii_compatible
+?SetSubDocumentFor@Document@dom@mozilla@@QAE?AW4nsresult@@PAVElement@23@PAV123@@Z
+?RemoveFromBFCacheSync@Document@dom@mozilla@@QAE_NXZ
+?GetInProcessTop@nsGlobalWindowOuter@@UAE?AU?$already_AddRefed@VnsPIDOMWindowOuter@@@@XZ
+?setPerformanceHint@GCRuntime@gc@js@@QAEXW4PerformanceHint@23@@Z
+?DirectEvalStringFromIon@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVJSScript@@@4@V?$Handle@VValue@JS@@@4@V?$Handle@PAVJSString@@@4@PAEV?$MutableHandle@VValue@JS@@@4@@Z
+?CompileEvalScript@frontend@js@@YAPAVJSScript@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@_S@6@V?$Handle@PAVScope@js@@@6@V?$Handle@PAVJSObject@@@6@@Z
+??0EvalSharedContext@frontend@js@@QAE@PAUJSContext@@AAUCompilationInfo@12@AAUCompilationState@12@USourceExtent@2@@Z
+?evalBody@?$Parser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAEPAVLexicalScopeNode@23@PAVEvalSharedContext@23@@Z
+?getTokenInternal@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NQAW4TokenKind@23@W4Modifier@Token@23@@Z
+?computeLineAndColumn@?$GeneralTokenStreamChars@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@IBEXIPAI0@Z
+?seekTo@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NABV?$TokenStreamPosition@_S@23@ABVTokenStreamAnyChars@23@@Z
+?getStringOrTemplateToken@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VSyntaxParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NDW4Modifier@Token@23@PAW4TokenKind@23@@Z
+?getRawTemplateStringAtom@?$GeneralTokenStreamChars@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAEPBVParserAtom@23@XZ
+_ZN5style10properties9longhands1r16cascade_property17h8f07eaa40e0ae5d3E
+_ZN5style10properties9longhands2cy16cascade_property17h0657a86a15a5aa1eE
+_ZN5style10properties9longhands2cx16cascade_property17hcc3790a5d0d8d040E
+?Height@SVGUseElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMSVGAnimatedLength@dom@mozilla@@@@XZ
+?QueryInterface@SVGGraphicsElement@dom@mozilla@@WGA@AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Close@NonBlockingAsyncInputStream@mozilla@@UAG?AW4nsresult@@XZ
+?DestroyBrowserFrameScripts@nsGenericHTMLFrameElement@@UAG?AW4nsresult@@XZ
+?ProcessOfflineManifest@nsContentSink@@QAEXPAVnsIContent@@@Z
+?ProcessOfflineManifest@nsContentSink@@QAEXABV?$nsTSubstring@_S@@@Z
+?Compact@AttrArray@@QAEXXZ
+?GetDocument@WindowContext@dom@mozilla@@QBEPAVDocument@23@XZ
+??_GnsTextToSubURI@@EAEPAXI@Z
+?reportErrorNoOffset@TokenStreamAnyChars@frontend@js@@QAAXIZZ
+?DuplicateString@js@@YA?AV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@PAUJSContext@@PB_S@Z
+?DuplicateStringToArena@js@@YA?AV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@IPAUJSContext@@PB_S@Z
+?enterEval@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVEvalSharedContext@23@@Z
+?createForEvalScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@W4ScopeKind@3@PAU?$AbstractData@$$CBVParserAtom@frontend@js@@@EvalScope@3@V?$Maybe@U?$TypedIndex@VScope@js@@@frontend@js@@@mozilla@@PAU?$TypedIndex@VScope@js@@@23@@Z
+??$createSpecificScope@VEvalScope@js@@VVarEnvironmentObject@2@@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+?NotifyDOMComplete@nsDOMNavigationTiming@@QAEXPAVnsIURI@@@Z
+?NotifyLoadEventStart@nsDOMNavigationTiming@@QAEXXZ
+?MaybeStartThrottleTimeout@TimeoutManager@dom@mozilla@@AAEXXZ
+??$MoveInit@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$Heap@VValue@JS@@@JS@@@@@@IAEXAAV0@II@Z
+?NotifyLoadEventEnd@nsDOMNavigationTiming@@QAEXXZ
+?QueuePerformanceNavigationTiming@nsPIDOMWindowInner@@QAEXXZ
+?VisualViewport@nsGlobalWindowInner@@QAEPAV0dom@mozilla@@XZ
+?ClearResourceTimings@Performance@dom@mozilla@@QAEXXZ
+?OnPageShow@Document@dom@mozilla@@UAEX_NPAVEventTarget@23@0@Z
+?MaybeActiveMediaComponents@nsPIDOMWindowOuter@@QAEXXZ
+?GetAudioChannelLog@AudioChannelService@dom@mozilla@@SAPAVLogModule@3@XZ
+?SetMediaSuspend@nsPIDOMWindowOuter@@QAEXI@Z
+?GetOrCreate@AudioChannelService@dom@mozilla@@SA?AU?$already_AddRefed@VAudioChannelService@dom@mozilla@@@@XZ
+?NotifyMediaResumedFromBlock@AudioChannelService@dom@mozilla@@QAEXPAVnsPIDOMWindowOuter@@@Z
+?RefreshAgentsSuspend@AudioChannelService@dom@mozilla@@QAEXPAVnsPIDOMWindowOuter@@I@Z
+?AccumulateJSTelemetry@Document@dom@mozilla@@IAEXXZ
+?AccumulatePageLoadTelemetry@Document@dom@mozilla@@IAEXXZ
+?MaybeTriggerBytecodeEncoding@ScriptLoader@dom@mozilla@@AAEXXZ
+?PredictorLearnRedirect@net@mozilla@@YA?AW4nsresult@@PAVnsIURI@@PAVnsIChannel@@ABVOriginAttributes@2@@Z
+?EqualsInternal@nsSimpleURI@net@mozilla@@MAE?AW4nsresult@@PAVnsIURI@@W4RefHandlingEnum@123@PA_N@Z
+?RemoveObject@nsCOMArray_base@@IAE_NPAVnsISupports@@@Z
+?DoFlushPendingNotifications@PresShell@mozilla@@AAEXW4FlushType@2@@Z
+?CloneDocHelper@Document@dom@mozilla@@QBE?AW4nsresult@@PAV123@@Z
+?SetWatchedByDevTools@BrowsingContext@dom@mozilla@@QAEX_NAAVErrorResult@3@@Z
+?CreateLoadContext@mozilla@@YA?AU?$already_AddRefed@VnsILoadContext@@@@XZ
+??0LoadContext@mozilla@@QAE@ABVSerializedLoadContext@IPC@@PAVElement@dom@1@AAVOriginAttributes@1@@Z
+?sinkStore@?$MonoTypeBuffer@UValueEdge@StoreBuffer@gc@js@@@StoreBuffer@gc@js@@QAEXXZ
+?CacheFrameLoader@InProcessBrowserChildMessageManager@dom@mozilla@@QAEXPAVnsFrameLoader@@@Z
+?MaybeCreateDoc@nsPIDOMWindowOuter@@IAEXXZ
+?GetOriginAttributes@nsDocShell@@UAGXAAVOriginAttributes@mozilla@@@Z
+?GetNearestWidget@nsView@@QBEPAVnsIWidget@@PAUnsPoint@@@Z
+?SetLoading@TimeoutManager@dom@mozilla@@QAEX_N@Z
+?HttpsStateIsModern@nsContentUtils@@SA_NPAVDocument@dom@mozilla@@@Z
+??0nsExternalProtocolHandler@@QAE@XZ
+?QueryInterface@nsExternalProtocolHandler@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsExternalProtocolHandler@@UAGKXZ
+?GetIsFirstPartyIsolated@CookieJarSettings@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Create@CookieJarSettings@net@mozilla@@SA?AU?$already_AddRefed@VnsICookieJarSettings@@@@IABV?$nsTSubstring@_S@@_N1@Z
+??4PrincipalInfo@ipc@mozilla@@QAEAAV012@$$QAVNullPrincipalInfo@12@@Z
+?EffectiveStoragePrincipal@Document@dom@mozilla@@QBEPAVnsIPrincipal@@XZ
+?IsThirdPartyChannel@AntiTrackingUtils@mozilla@@SA_NPAVnsIChannel@@@Z
+?LocalStorageManagerConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?CheckStorage@LocalStorageManager2@dom@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PAVStorage@23@PA_N@Z
+?SendExpectPageUseCounters@PWindowGlobalChild@dom@mozilla@@QAE_NABV?$MaybeDiscarded@VWindowContext@dom@mozilla@@@23@@Z
+?SendAddSecurityState@PContentChild@dom@mozilla@@QAE_NABV?$MaybeDiscarded@VWindowContext@dom@mozilla@@@23@ABI@Z
+?BuildPreferenceSheet@GlobalStyleSheetCache@mozilla@@AAEXPAV?$RefPtr@VStyleSheet@mozilla@@@@ABUPrefs@PreferenceSheet@2@@Z
+??0ZoomConstraintsClient@@QAE@XZ
+?Init@ZoomConstraintsClient@@QAEXPAVPresShell@mozilla@@PAVDocument@dom@3@@Z
+?Release@ZoomConstraintsClient@@UAGKXZ
+?GetNearestWidget@nsPresContext@@QAEPAVnsIWidget@@PAUnsPoint@@@Z
+?AsyncPanZoomEnabled@nsBaseWidget@@UBE_NXZ
+?Disconnect@InProcessBrowserChildMessageManager@dom@mozilla@@QAEXXZ
+?ClearManager@JSWindowActorParent@dom@mozilla@@UAEXXZ
+?GetActor@WindowGlobalChild@dom@mozilla@@QAE?AU?$already_AddRefed@VJSWindowActorChild@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?GetActor@JSActorManager@dom@mozilla@@QAE?AU?$already_AddRefed@VJSActor@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?AsNativeActor@WindowGlobalChild@dom@mozilla@@MAEPAVIProtocol@ipc@3@XZ
+?OnClassifyComplete@URLClassifierLocalParent@dom@mozilla@@UAG?AW4nsresult@@ABV?$nsTArray@V?$RefPtr@VnsIUrlClassifierFeatureResult@@@@@@@Z
+?GetJSWindowActorProtocol@JSActorService@dom@mozilla@@QAE?AU?$already_AddRefed@VJSWindowActorProtocol@dom@mozilla@@@@ABV?$nsTSubstring@D@@@Z
+?RecvRawMessage@WindowGlobalChild@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABVJSActorMessageMeta@23@ABV?$Maybe@VClonedMessageData@dom@mozilla@@@3@1@Z
+?BrowsingContext@WindowGlobalChild@dom@mozilla@@UAEPAV023@XZ
+?SetAsString@OwningStringOrMatchPattern@dom@mozilla@@QAEAAV?$nsTString@_S@@XZ
+?Constructor@MatchPattern@extensions@mozilla@@SA?AU?$already_AddRefed@VMatchPattern@extensions@mozilla@@@@AAVGlobalObject@dom@3@ABV?$nsTSubstring@_S@@ABUMatchPatternOptions@63@AAVErrorResult@3@@Z
+?assign_assuming_AddRef@?$RefPtr@VAtomSet@extensions@mozilla@@@@AAEXPAVAtomSet@extensions@mozilla@@@Z
+?FindChar@?$nsTStringRepr@_S@detail@mozilla@@QBIH_SI@Z
+??$FindCharInSet@_SX@?$nsTString@_S@@QBEHPBDH@Z
+?Uninit@OwningStringOrMatchPattern@dom@mozilla@@QAEXXZ
+?Matches@MatchPatternSet@extensions@mozilla@@QBE_NABVURLInfo@23@_N@Z
+?Matches@MatchGlob@extensions@mozilla@@QBE_NABV?$nsTSubstring@_S@@@Z
+?TruncatedURLForDisplay@nsContentUtils@@SA?AV?$nsTString@D@@PAVnsIURI@@I@Z
+?ThrowDOMException@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@IAEXW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Release@JSWindowActorProtocol@dom@mozilla@@UAGKXZ
+?RemoteTypePrefix@dom@mozilla@@YA?BV?$nsTDependentSubstring@D@@ABV?$nsTSubstring@D@@@Z
+?Descriptor@ServiceWorkerRegistration@dom@mozilla@@QBEABVServiceWorkerRegistrationDescriptor@23@XZ
+??0JSActor@dom@mozilla@@QAE@PAVnsISupports@@@Z
+?WrapObject@JSWindowActorChild@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@JSWindowActorChild_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVJSWindowActorChild@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?QueryInterface@JSWindowActorChild@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Init@JSWindowActorChild@dom@mozilla@@QAEXABV?$nsTSubstring@D@@PAVWindowGlobalChild@23@@Z
+??0MozJSActorCallbacks@dom@mozilla@@QAE@XZ
+?Init@MozJSActorCallbacks@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?PrepareForWrapping@WrapperFactory@xpc@@SAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@111V?$MutableHandle@PAVJSObject@@@5@@Z
+?Rewrap@WrapperFactory@xpc@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?Subsumes@BasePrincipal@mozilla@@QAE_NPAVnsIPrincipal@@W4DocumentDomainConsideration@12@@Z
+?SubsumesInternal@NullPrincipal@mozilla@@MAE_NPAVnsIPrincipal@@W4DocumentDomainConsideration@BasePrincipal@2@@Z
+?GetXrayType@xpc@@YA?AW4XrayType@1@PAVJSObject@@@Z
+?New@Wrapper@js@@SAPAVJSObject@@PAUJSContext@@PAV3@PBV12@ABVWrapperOptions@2@@Z
+?finalizeInBackground@Wrapper@js@@UBE_NABVValue@JS@@@Z
+?put@ObjectWrapperMap@js@@QAE_NPAVJSObject@@0@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@U?$DefaultHasher@PAVCompartment@JS@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$pod_arena_malloc@UFakeSlot@?$HashTable@V?$HashMapEntry@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@U?$DefaultHasher@PAVCompartment@JS@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAUFakeSlot@?$HashTable@V?$HashMapEntry@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@U?$DefaultHasher@PAVCompartment@JS@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@II@Z
+?compact@?$HashTable@V?$HashMapEntry@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@QAEXXZ
+?changeTableSize@?$HashTable@V?$HashMapEntry@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+??$pod_arena_malloc@UFakeSlot@?$HashTable@V?$HashMapEntry@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAUFakeSlot@?$HashTable@V?$HashMapEntry@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSObject@@V?$UnsafeBareWeakHeapPtr@PAVJSObject@@@detail@js@@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@II@Z
+??$InflateUTF8CharsToBufferAndTerminate@_SVUTF8Chars@JS@@@@YAXVUTF8Chars@JS@@PA_SIW4SmallestEncoding@1@@Z
+?GetCallableProperty@CallbackInterface@dom@mozilla@@IAE_NAAVBindingCallContext@23@V?$Handle@UPropertyKey@JS@@@JS@@V?$MutableHandle@VValue@JS@@@6@@Z
+?XrayResolveOwnProperty@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1V?$Handle@UPropertyKey@JS@@@5@V?$MutableHandle@UPropertyDescriptor@JS@@@5@AA_N@Z
+?GetProtoObjectHandle@Event_Binding@dom@mozilla@@YA?AV?$Handle@PAVJSObject@@@JS@@PAUJSContext@@@Z
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@UPropertyDescriptor@JS@@@3@@Z
+?check@ContextChecks@js@@QAEXV?$Handle@UPropertyDescriptor@JS@@@JS@@H@Z
+?isExtensible@?$MaybeCrossOriginObject@VDOMProxyHandler@dom@mozilla@@@dom@mozilla@@MBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PA_N@Z
+?WrapObject@WindowGlobalChild@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@WindowGlobalChild_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVWindowGlobalChild@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@WindowGlobalChild_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@NUnsTArrayInfallibleAllocator@@@@AAEPANI@Z
+?CharsetChangeReloadDocument@nsDocShell@@QAE?AW4nsresult@@PBDH@Z
+?GetDocument@JSWindowActorChild@dom@mozilla@@QAEPAVDocument@23@AAVErrorResult@3@@Z
+?Wrap@AudioTrackList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVAudioTrackList@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CountMaybeMissingProperty@HTMLDocument_Binding@dom@mozilla@@YA_NV?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@@Z
+?getPrototype@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@5@@Z
+?hasOwn@?$XrayWrapper@VCrossCompartmentWrapper@js@@VDOMXrayTraits@xpc@@@xpc@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?GetProtoObject@Document_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?SendAsyncMessage@JSActor@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?GetParamsForMessage@nsFrameMessageManager@@SA_NPAUJSContext@@ABVValue@JS@@1AAVStructuredCloneData@ipc@dom@mozilla@@@Z
+?SendQuery@JSActor@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?SendRawMessage@JSWindowActorChild@dom@mozilla@@MAEXABVJSActorMessageMeta@23@$$QAV?$Maybe@VStructuredCloneData@ipc@dom@mozilla@@@3@1AAVErrorResult@3@@Z
+?OnLocationChange@BrowsingContextWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@PAVnsIURI@@I@Z
+?GetIsTopLevel@nsDocLoader@@UAG?AW4nsresult@@PA_N@Z
+?GetContentDocument@XULFrameElement@dom@mozilla@@QAEPAVDocument@23@XZ
+?GetDisplaySpec@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetIsLoadingDocument@nsDocLoader@@UAG?AW4nsresult@@PA_N@Z
+?RecomputeSecurityFlags@nsSecureBrowserUI@@QAEXXZ
+?OnSecurityChange@nsDocLoader@@QAEXPAVnsISupports@@I@Z
+?OnSecurityChange@BrowsingContextWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@I@Z
+?Stub7@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?GetChildWindow@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VBrowsingContext@dom@mozilla@@@@ABV?$nsTSubstring@_S@@@Z
+?FindChildWithName@BrowsingContext@dom@mozilla@@QAEPAV123@ABV?$nsTSubstring@_S@@AAV123@@Z
+?GetNurseryCellZone@JS@@YAPAVZone@1@PAUCell@gc@js@@@Z
+?CreateInterfaceObjects@SessionStoreUtils_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AddDynamicFrameFilteredListener@SessionStoreUtils@dom@mozilla@@SA?AU?$already_AddRefed@VnsISupports@@@@ABVGlobalObject@23@AAVEventTarget@23@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@_N4AAVErrorResult@3@@Z
+?CollectScrollPosition@SessionStoreUtils@dom@mozilla@@SAXABVGlobalObject@23@AAVWindowProxyHolder@23@AAU?$Nullable@UCollectedData@dom@mozilla@@@23@@Z
+?GetLegacySHistory@ChildSHistory@dom@mozilla@@QAEPAVnsISHistory@@AAVErrorResult@3@@Z
+?NotifyOnHistoryReplaceEntry@nsSHistory@@QAEXXZ
+?Count@ChildSHistory@dom@mozilla@@QAEHXZ
+??0WindowsUIUtils@@QAE@XZ
+?QueryInterface@WindowsUIUtils@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DOMWindowToWidget@WidgetUtils@widget@mozilla@@SA?AU?$already_AddRefed@VnsIWidget@@@@PAVnsPIDOMWindowOuter@@@Z
+?SetPropertyValue@nsDOMCSSAttributeDeclaration@@UAEXW4nsCSSPropertyID@@ABV?$nsTSubstring@D@@PAVnsIPrincipal@@AAVErrorResult@mozilla@@@Z
+?SetPropertyValue@nsDOMCSSDeclaration@@UAEXW4nsCSSPropertyID@@ABV?$nsTSubstring@D@@PAVnsIPrincipal@@AAVErrorResult@mozilla@@@Z
+Servo_DeclarationBlock_RemovePropertyById
+?GetElementsByTagName@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIHTMLCollection@@@@ABV?$nsTSubstring@_S@@@Z
+?RemoveAdditionalStyleSheet@Document@dom@mozilla@@QAEXW4additionalSheetType@123@PAVnsIURI@@@Z
+?LoadComplete@PresShell@mozilla@@QAEXXZ
+?LoadURI@nsDocShell@@UAE?AW4nsresult@@ABV?$nsTSubstring@_S@@ABULoadURIOptions@dom@mozilla@@@Z
+?GetXPCOMSingleton@nsDNSService@@SA?AU?$already_AddRefed@VnsIDNSService@@@@XZ
+?ActorDestroy@TRRServiceParent@net@mozilla@@EAEXW4ActorDestroyReason@IProtocol@ipc@3@@Z
+?Create@nsHostResolver@@SA?AW4nsresult@@IIIPAPAV1@@Z
+?GetAllRecordsExcluded@TypeHostRecord@@UAG?AW4nsresult@@PA_N@Z
+?GetAddrInfoInit@net@mozilla@@YA?AW4nsresult@@XZ
+?GetSingleton@NetworkConnectivityService@net@mozilla@@SA?AU?$already_AddRefed@VNetworkConnectivityService@net@mozilla@@@@XZ
+?Initialize@nsDNSPrefetch@@SA?AW4nsresult@@PAVnsIDNSService@@@Z
+??0TRRService@net@mozilla@@QAE@XZ
+?Init@TRRService@net@mozilla@@QAE?AW4nsresult@@XZ
+?AddObserver@TRRService@net@mozilla@@CAXPAVnsIObserver@@PAVnsIObserverService@@@Z
+?CompleteLookupByType@TRRQuery@net@mozilla@@UAE?AW4LookupStatus@AHostResolver@@PAVnsHostRecord@@W4nsresult@@AAV?$Variant@UNothing@mozilla@@V?$CopyableTArray@V?$nsTString@D@@@@V?$CopyableTArray@USVCB@net@mozilla@@@@@3@I_N@Z
+?OnTRRModeChange@TRRServiceBase@net@mozilla@@IAEXXZ
+?OnTRRURIChange@TRRServiceBase@net@mozilla@@IAEXXZ
+?AssertSanity@DNSRequestResponse@net@mozilla@@ABEXXZ
+?CheckURIPrefs@TRRServiceBase@net@mozilla@@IAEXXZ
+?Enabled@TRRService@net@mozilla@@QAE_NW4TRRMode@nsIRequest@@@Z
+?ProcessURITemplate@TRRServiceBase@net@mozilla@@IAEXAAV?$nsTSubstring@D@@@Z
+?nextToken@?$nsTCharSeparatedTokenizer@V?$nsTDependentSubstring@D@@$1?NS_IsAsciiWhitespace@@YA_N_S@Z@@QAE?BV?$nsTDependentSubstring@D@@XZ
+?CheckCaptivePortalIsPassed@TRRService@net@mozilla@@CA_NXZ
+?GetParentalControlEnabledInternal@TRRService@net@mozilla@@CA_NXZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$nsTString@D@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@D@@PBV1@I@Z
+?GetDOMWindow@nsDocLoader@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?SetScrollbarsVisibility@nsContentUtils@@SAXPAVnsIDocShell@@_N@Z
+rust_parse_etc_hosts
+?GetNativeTextEventDispatcherListener@nsWindow@@UAEPAVTextEventDispatcherListener@widget@mozilla@@XZ
+?HidePopup@nsXULPopupManager@@QAEXPAVnsIContent@@_N1110@Z
+?InitEvent@nsWindow@@UAEXAAVWidgetGUIEvent@mozilla@@PAU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@3@@Z
+?CurrentMessageWidgetEventTime@nsWindow@@UBE?AVWidgetEventTime@mozilla@@XZ
+?GetAccessible@nsWindow@@QAEPAVAccessible@a11y@mozilla@@XZ
+?Update@ModifierKeyState@widget@mozilla@@QAEXXZ
+?InitMouseEvent@ModifierKeyState@widget@mozilla@@ABEXAAVWidgetInputEvent@3@@Z
+?DispatchInputEvent@nsBaseWidget@@UAE?AW4nsEventStatus@@PAVWidgetInputEvent@mozilla@@@Z
+?DispatchEvent@nsViewManager@@QAEXPAVWidgetGUIEvent@mozilla@@PAVnsView@@PAW4nsEventStatus@@@Z
+?IsUsingCoordinates@WidgetEvent@mozilla@@QBE_NXZ
+?HandleEvent@PresShell@mozilla@@QAE?AW4nsresult@@PAVnsIFrame@@PAVWidgetGUIEvent@2@_NPAW4nsEventStatus@@@Z
+?DisableNonTestMouseEvents@PresShell@mozilla@@QAEX_N@Z
+?IsTargetedAtFocusedWindow@WidgetEvent@mozilla@@QBE_NXZ
+?CanDispatchEvent@PresShell@mozilla@@QBE_NPBVWidgetGUIEvent@2@@Z
+??$CallFunctionPointer@P6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@?$FunctionRef@$$A6A?AW4CallState@mozilla@@AAVDocument@dom@2@@Z@mozilla@@CA?AW4CallState@1@ABTPayload@01@AAVDocument@dom@1@@Z
+?GetPopupFrameForEventCoordinates@nsLayoutUtils@@SAPAVnsIFrame@@PAVnsPresContext@@PBVWidgetEvent@mozilla@@@Z
+?GetVisiblePopups@nsXULPopupManager@@QAEXAAV?$nsTArray@PAVnsIFrame@@@@@Z
+?MaybeProcessPointerCapture@PointerEventHandler@mozilla@@SAXPAVWidgetGUIEvent@2@@Z
+?GetPointerCapturingElement@PointerEventHandler@mozilla@@SAPAVElement@dom@2@PAVWidgetGUIEvent@2@@Z
+?GetEventCoordinatesRelativeTo@nsLayoutUtils@@SA?AUnsPoint@@PBVWidgetEvent@mozilla@@URelativeTo@4@@Z
+?GetEventCoordinatesRelativeTo@nsLayoutUtils@@SA?AUnsPoint@@PAVnsIWidget@@ABU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@URelativeTo@6@@Z
+?FindFrameTargetedByInputEvent@mozilla@@YAPAVnsIFrame@@PAVWidgetGUIEvent@1@URelativeTo@1@ABUnsPoint@@I@Z
+?GetFrameForPoint@nsLayoutUtils@@SAPAVnsIFrame@@URelativeTo@mozilla@@UnsPoint@@V?$EnumSet@W4FrameForPointOption@nsLayoutUtils@@I@4@@Z
+?GetFramesForArea@nsLayoutUtils@@SA?AW4nsresult@@URelativeTo@mozilla@@ABUnsRect@@AAV?$nsTArray@PAVnsIFrame@@@@V?$EnumSet@W4FrameForPointOption@nsLayoutUtils@@I@4@@Z
+??0nsDisplayListBuilder@@QAE@PAVnsIFrame@@W4nsDisplayListBuilderMode@@_N2@Z
+?CurrentPresContext@nsDisplayListBuilder@@QAEPAVnsPresContext@@XZ
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsPtrHashKey@VnsIFrame@@@@V?$RefPtr@UAnimatedGeometryRoot@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?AsyncPanZoomEnabled@nsLayoutUtils@@SA_NPBVnsIFrame@@@Z
+?AllowZoomingForDocument@nsLayoutUtils@@SA_NPBVDocument@dom@mozilla@@@Z
+?BeginFrame@nsDisplayListBuilder@@QAEXXZ
+?EnterPresShell@nsDisplayListBuilder@@QAEXPBVnsIFrame@@_N@Z
+?GetRootScrollFrameAsScrollable@PresShell@mozilla@@QBEPAVnsIScrollableFrame@@XZ
+?UpdateCanvasBackground@PresShell@mozilla@@QAEXXZ
+?FindRootFrameBackground@nsCSSRendering@@SAPAVComputedStyle@mozilla@@PAVnsIFrame@@@Z
+?DetermineBackgroundColor@nsCSSRendering@@SAIPAVnsPresContext@@PAVComputedStyle@mozilla@@PAVnsIFrame@@AA_N3@Z
+?IsOpaque@?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QBE_NXZ
+?IsComplete@?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QBE_NXZ
+?BuildDisplayListForStackingContext@nsIFrame@@QAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@PA_N@Z
+?GetEffectSetForFrame@EffectSet@mozilla@@SAPAV12@PBVnsIFrame@@ABVnsCSSPropertyIDSet@@@Z
+??0AutoBuildingDisplayList@nsDisplayListBuilder@@QAE@PAV1@PAVnsIFrame@@ABUnsRect@@2_N@Z
+?GetClipPropClipRect@nsIFrame@@QBE?AV?$Maybe@UnsRect@@@mozilla@@PBUnsStyleDisplay@@PBUnsStyleEffects@@ABUnsSize@@@Z
+?InkOverflowRectRelativeToSelf@nsIFrame@@QBE?AUnsRect@@XZ
+?AdjustWindowDraggingRegion@nsDisplayListBuilder@@QAEXPAVnsIFrame@@@Z
+?MarkFramesForDisplayList@nsDisplayListBuilder@@QAEXPAVnsIFrame@@ABVnsFrameList@@@Z
+?ViewportHasDisplayPort@DisplayPortUtils@mozilla@@SA_NPAVnsPresContext@@@Z
+?HasRoundedCorners@DisplayItemClipChain@mozilla@@QBE_NXZ
+?BuildDisplayList@ViewportFrame@mozilla@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?BuildDisplayListForChild@nsIFrame@@QAEXPAVnsDisplayListBuilder@@PAV1@ABVnsDisplayListSet@@V?$EnumSet@W4DisplayChildFlag@nsIFrame@@I@mozilla@@@Z
+?SerializeWithCorrectZOrder@nsDisplayListCollection@@QAEXPAVnsDisplayList@@PAVnsIContent@@@Z
+?HitTest@nsDisplayList@@QBEXPAVnsDisplayListBuilder@@ABUnsRect@@PAUHitTestState@nsDisplayItem@@PAV?$nsTArray@PAVnsIFrame@@@@@Z
+?SortByContentOrder@nsDisplayList@@QAEXPAVnsIContent@@@Z
+?LeavePresShell@nsDisplayListBuilder@@QAEXPBVnsIFrame@@PAVnsDisplayList@@@Z
+?ResetMarkedFramesForDisplayList@nsDisplayListBuilder@@QAEXPBVnsIFrame@@@Z
+?DeleteAll@nsDisplayList@@UAEXPAVnsDisplayListBuilder@@@Z
+?EndFrame@nsDisplayListBuilder@@QAEXXZ
+??1nsDisplayListBuilder@@QAE@XZ
+??1AnimatedGeometryRoot@@IAE@XZ
+??1?$nsPresArena@$0IAAA@W4DisplayListArenaObjectId@mozilla@@$0FJ@@@QAE@XZ
+?GetContentForEvent@nsIFrame@@UAE?AW4nsresult@@PAVWidgetEvent@mozilla@@PAPAVnsIContent@@@Z
+?GetNonGeneratedAncestor@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@@Z
+?DispatchPointerFromMouseOrTouch@PointerEventHandler@mozilla@@SAXPAVPresShell@2@PAVnsIFrame@@PAVnsIContent@@PAVWidgetGUIEvent@2@_NPAW4nsEventStatus@@PAPAV5@@Z
+?IsAllowedToDispatchDOMEvent@WidgetEvent@mozilla@@QBE_NXZ
+?IsUserAction@WidgetEvent@mozilla@@QBE_NXZ
+?IsUserInteractionEvent@UserActivation@dom@mozilla@@SA_NPBVWidgetEvent@3@@Z
+??0AutoHandlingUserInputStatePusher@dom@mozilla@@QAE@_NPAVWidgetEvent@2@@Z
+?PreHandleEvent@EventStateManager@mozilla@@QAE?AW4nsresult@@PAVnsPresContext@@PAVWidgetEvent@2@PAVnsIFrame@@PAVnsIContent@@PAW4nsEventStatus@@3@Z
+?QueryReferentFromScript@nsNodeWeakReference@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IsMessageCriticalInputEvent@nsContentUtils@@SA_NABVMessage@IPC@@@Z
+?newVariant@XPCVariant@@SA?AU?$already_AddRefed@VXPCVariant@@@@PAUJSContext@@ABVValue@JS@@@Z
+?GetAsInt32@nsVariantBase@@UAG?AW4nsresult@@PAH@Z
+?ConvertToInt32@nsDiscriminatedUnion@@QBE?AW4nsresult@@PAH@Z
+?GetAsUint32@nsVariantBase@@UAG?AW4nsresult@@PAI@Z
+?ConvertToUint32@nsDiscriminatedUnion@@QBE?AW4nsresult@@PAI@Z
+?OnEvent@WheelTransaction@mozilla@@SAXPAVWidgetEvent@2@@Z
+?GetScreenCoords@Event@dom@mozilla@@SA?AU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@3@PAVnsPresContext@@PAVWidgetEvent@3@U?$IntPointTyped@ULayoutDevicePixel@mozilla@@@53@@Z
+?WidgetToTopLevelWidgetTransform@nsIWidget@@UAE?AV?$Matrix4x4Typed@ULayoutDevicePixel@mozilla@@U12@M@gfx@mozilla@@XZ
+?TopLevelWidgetToScreenOffset@nsIWidget@@UAE?AU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@XZ
+?WidgetToScreenOffset@nsWindow@@UAE?AU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@XZ
+?GetClientCoords@Event@dom@mozilla@@SA?AU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@3@PAVnsPresContext@@PAVWidgetEvent@3@U?$IntPointTyped@ULayoutDevicePixel@mozilla@@@53@U453@@Z
+?GetEventCoordinatesRelativeTo@nsLayoutUtils@@SA?AUnsPoint@@PBVWidgetEvent@mozilla@@ABU?$IntPointTyped@ULayoutDevicePixel@mozilla@@@gfx@4@URelativeTo@4@@Z
+?UpdateActivePointerState@PointerEventHandler@mozilla@@SAXPAVWidgetMouseEvent@2@PAVnsIContent@@@Z
+?IsBlockedForFingerprintingResistance@WidgetEvent@mozilla@@QBE_NXZ
+?PostHandleEvent@EventStateManager@mozilla@@QAE?AW4nsresult@@PAVnsPresContext@@PAVWidgetEvent@2@PAVnsIFrame@@PAW4nsEventStatus@@PAVnsIContent@@@Z
+?GetAccessKeyLabelPrefix@EventStateManager@mozilla@@SAXPAVElement@dom@2@AAV?$nsTSubstring@_S@@@Z
+?CanBeSentToRemoteProcess@WidgetEvent@mozilla@@QBE_NXZ
+?HandleEventWithTarget@EventHandler@PresShell@mozilla@@QAE?AW4nsresult@@PAVWidgetEvent@3@PAVnsIFrame@@PAVnsIContent@@PAW4nsEventStatus@@_NPAPAV7@2@Z
+?SetCapturingContent@PresShell@mozilla@@SAXPAVnsIContent@@W4CaptureFlags@2@@Z
+??1WidgetEvent@mozilla@@UAE@XZ
+?IsOurProcessWindow@WinUtils@widget@mozilla@@SA_NPAUHWND__@@@Z
+?WindowRaised@nsFocusManager@@QAEXPAVmozIDOMWindowProxy@@_K@Z
+?UnsetTopLevelWebFocusAll@BrowserParent@dom@mozilla@@SAXXZ
+?WindowLowered@nsFocusManager@@QAEXPAVmozIDOMWindowProxy@@_K@Z
+?DocumentStatesChanged@PresShell@mozilla@@QAEXVEventStates@2@@Z
+Servo_InvalidateStyleForDocStateChanges
+?NoteDirtySubtreeForServo@Element@dom@mozilla@@QAEXXZ
+?ContentIsFlattenedTreeDescendantOfForStyle@nsContentUtils@@SA_NPBVnsINode@@0@Z
+?CallOnAllTopDescendants@CanonicalBrowsingContext@dom@mozilla@@QAEXABV?$function@$$A6A?AW4CallState@mozilla@@PAVCanonicalBrowsingContext@dom@2@@Z@std@@@Z
+?GetAllGroups@BrowsingContextGroup@dom@mozilla@@SAXAAV?$nsTArray@V?$RefPtr@VBrowsingContextGroup@dom@mozilla@@@@@@@Z
+?NS_NewComputedDOMStyle@@YA?AU?$already_AddRefed@VnsComputedDOMStyle@@@@PAVElement@dom@mozilla@@ABV?$nsTSubstring@_S@@PAVDocument@34@W4StyleType@nsComputedDOMStyle@@@Z
+?Release@nsComputedDOMStyle@@UAGKXZ
+?GetPropertyValue@nsComputedDOMStyle@@UAE?AW4nsresult@@W4nsCSSPropertyID@@AAV?$nsTSubstring@_S@@@Z
+?Length@nsComputedDOMStyle@@UAEIXZ
+?ProcessAllPendingAttributeAndStateInvalidations@RestyleManager@mozilla@@QAEXXZ
+Servo_ProcessInvalidations
+Servo_HasPendingRestyleAncestor
+?IsPrimaryFrameOfRootOrBodyElement@nsIFrame@@QBE_NXZ
+?NotifyNeedsRepaint@ActiveLayerTracker@mozilla@@SAXPAVnsIFrame@@@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@VNS_ConvertASCIItoUTF16@@@?$nsTArray_Impl@V?$nsTString@_S@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@_S@@$$QAVNS_ConvertASCIItoUTF16@@@Z
+?CanOptimizeOpacity@SVGUtils@mozilla@@SA_NPAVnsIFrame@@@Z
+?NotifyRestyle@ActiveLayerTracker@mozilla@@SAXPAVnsIFrame@@W4nsCSSPropertyID@@@Z
+?UsingEffectsForFrame@SVGIntegrationUtils@mozilla@@SA_NPBVnsIFrame@@@Z
+Servo_GetPropertyValue
+_ZN8nsstring11conversions37_$LT$impl$u20$nsstring..nsAString$GT$10append_str17h7abb3b030eb7157eE
+_ZN11encoding_rs3mem20convert_str_to_utf1617h5ca12bd5f45f4892E
+?IsAnchoredAtEnd@RegExpCapture@internal@v8@@UAE_NXZ
+?ReadableStreamReaderGenericRelease@js@@YA_NPAUJSContext@@V?$Handle@PAVReadableStreamReader@js@@@JS@@@Z
+?destroyStoredT@?$HashTableEntry@V?$HashMapEntry@PAVJSObject@@V?$Vector@PAVJSObject@@$00VZoneAllocPolicy@js@@@mozilla@@@mozilla@@@detail@mozilla@@AAEXXZ
+?MoveFocus@nsFocusManager@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@PAVElement@dom@mozilla@@IIPAPAV456@@Z
+?Cast@CanonicalBrowsingContext@dom@mozilla@@SAPAV123@PAVBrowsingContext@23@@Z
+?TakeFocus@nsGlobalWindowInner@@UAE_N_NI@Z
+?IsInPointerLockContext@nsContentUtils@@SA_NPAVBrowsingContext@dom@mozilla@@@Z
+?SetLastFocusTime@Document@dom@mozilla@@QAEXABVTimeStamp@3@@Z
+?GetRootWidget@nsViewManager@@QAEXPAPAVnsIWidget@@@Z
+?GetTopLevelHWND@WinUtils@widget@mozilla@@SAPAUHWND__@@PAU4@_N1@Z
+?FireDelayedEvents@nsFocusManager@@QAEXPAVDocument@dom@mozilla@@@Z
+??0UIEvent@dom@mozilla@@QAE@PAVEventTarget@12@PAVnsPresContext@@PAVWidgetGUIEvent@2@@Z
+?GetComposedTarget@Event@dom@mozilla@@QBEPAVEventTarget@23@XZ
+?RepaintSelection@nsFrameSelection@@QAE?AW4nsresult@@W4SelectionType@mozilla@@@Z
+?Repaint@Selection@dom@mozilla@@UAG?AW4nsresult@@PAVnsPresContext@@@Z
+?GetOwnerGlobal@nsGlobalWindowOuter@@UBEPAVnsIGlobalObject@@XZ
+?OnChangeFocus@IMEStateManager@mozilla@@SA?AW4nsresult@@PAVnsPresContext@@PAVnsIContent@@W4Cause@InputContextAction@widget@2@@Z
+?MaybeStartOffsetUpdatedInChild@IMEStateManager@mozilla@@SAXPAVnsIWidget@@I@Z
+?GetFrom@BrowserParent@dom@mozilla@@SAPAV123@PAVnsIContent@@@Z
+?GetFrom@BrowserBridgeChild@dom@mozilla@@SAPAV123@PAVnsIContent@@@Z
+?SetInputContext@IMEHandler@widget@mozilla@@SAXPAVnsWindow@@AAUInputContext@23@ABUInputContextAction@23@@Z
+?NotifyIME@IMEHandler@widget@mozilla@@SA?AW4nsresult@@PAVnsWindow@@ABUIMENotification@23@@Z
+??0IMEContext@widget@mozilla@@QAE@PAVnsWindowBase@@@Z
+?Clear@IMEContext@widget@mozilla@@QAEXXZ
+?UpdateCaret@nsFocusManager@@IAEX_N0PAVnsIContent@@@Z
+?GetFullScreen@nsGlobalWindowInner@@UAE_NXZ
+?WindowUtils@nsGlobalWindowOuter@@QAEPAVnsIDOMWindowUtils@@XZ
+??0nsDOMWindowUtils@@QAE@PAVnsGlobalWindowOuter@@@Z
+?Duplicate@WidgetContentCommandEvent@mozilla@@UBEPAVWidgetEvent@2@XZ
+??1ErrorReport@xpc@@AAE@XZ
+?GetAllInFlowRectsUnion@nsLayoutUtils@@SA?AUnsRect@@PAVnsIFrame@@PBV3@I@Z
+?AddBoxesForFrame@nsLayoutUtils@@SAXPAVnsIFrame@@PAVBoxCallback@1@@Z
+??1RetainedDisplayListBuilder@@QAE@XZ
+?GetOuterSVGFrameAndCoveredRegion@SVGUtils@mozilla@@SAPAVnsIFrame@@PAV3@PAUnsRect@@@Z
+?TransformFrameRectToAncestor@nsLayoutUtils@@SA?AUnsRect@@PBVnsIFrame@@ABU2@URelativeTo@mozilla@@PA_NPAV?$Maybe@V?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@@5@_NPAPAV3@@Z
+??0RectAccumulator@nsLayoutUtils@@QAE@XZ
+?SetLayoutRect@DOMRect@dom@mozilla@@QAEXABUnsRect@@@Z
+?Contains@nsINode@@QBE_NPBV1@@Z
+?QueryInterface@nsEmptyContentList@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsDOMWindowUtils@@UAGKXZ
+?DidRenderingDeviceReset@gfxWindowsPlatform@@UAE_NPAW4DeviceResetReason@@@Z
+?GetCompositorBridgeChild@ClientLayerManager@layers@mozilla@@UAEPAVCompositorBridgeChild@23@XZ
+?ScheduleComposite@ShadowLayerForwarder@layers@mozilla@@QAEXXZ
+?SendScheduleComposite@PLayerTransactionChild@layers@mozilla@@QAE_NXZ
+?GetBackendType@ClientLayerManager@layers@mozilla@@UAE?AW4LayersBackend@23@XZ
+?ShouldDispatchPluginEvent@nsWindowBase@@QAE_NXZ
+?OnMessageReceived@PLayerTransactionParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?ConvertHRGNToRegion@WinUtils@widget@mozilla@@SA?AV?$IntRegionTyped@ULayoutDevicePixel@mozilla@@@gfx@3@PAUHRGN__@@@Z
+??$SetLength@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@IAEXI@Z
+?AddRect@nsRegion@@AAEXABUnsRectAbsolute@@@Z
+?RecvScheduleComposite@LayerTransactionParent@layers@mozilla@@IAE?AVIPCResult@ipc@3@XZ
+?Copy@nsRegion@@AAEAAV1@ABV1@@Z
+?GetBufferTarget@DrawTargetRotatedBuffer@layers@mozilla@@UBEPAVDrawTarget@gfx@3@XZ
+?ScheduleComposition@CompositorVsyncScheduler@layers@mozilla@@QAEXXZ
+?Read@?$IPDLParamTraits@VInputStreamParams@ipc@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVInputStreamParams@23@@Z
+?Write@?$RegionParamTraits@V?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@VRectIterator@?$BaseIntRegion@V?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntMarginTyped@UUnknownUnits@gfx@mozilla@@@23@@23@@IPC@@SAXPAVMessage@2@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?GetSize@DrawTargetSkia@gfx@mozilla@@UBE?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@XZ
+?RedrawTransparentWindow@InProcessWinCompositorWidget@widget@mozilla@@QAE_NXZ
+?SetCompositorVsyncObserver@CompositorVsyncDispatcher@mozilla@@QAEXPAVVsyncObserver@2@@Z
+?Shutdown@CompositorThreadHolder@layers@mozilla@@SAXXZ
+?Read@?$RegionParamTraits@V?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@VRectIterator@?$BaseIntRegion@V?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntMarginTyped@UUnknownUnits@gfx@mozilla@@@23@@23@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?NeedsComposite@CompositorVsyncScheduler@layers@mozilla@@QAE_NXZ
+?ForcePresent@LayerManagerComposite@layers@mozilla@@UAEXXZ
+?PostInsertVsyncProfilerMarker@CompositorBridgeParent@layers@mozilla@@SAXVTimeStamp@3@@Z
+?IsFile@FileBlobImpl@dom@mozilla@@UBE_NXZ
+??0AutoProfilerTracing@@QAE@PBD0VMarkerCategory@mozilla@@ABV?$Maybe@_K@2@@Z
+?SendDidComposite@PCompositorBridgeParent@layers@mozilla@@QAE_NABULayersId@23@ABU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@23@ABVTimeStamp@3@2@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@UImageCompositeNotificationInfo@layers@mozilla@@U1@@?$nsTArray_Impl@UImageCompositeNotificationInfo@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAUImageCompositeNotificationInfo@layers@mozilla@@$$QAV0@@Z
+?Paint@PresShell@mozilla@@QAEXPAVnsView@@ABVnsRegion@@W4PaintFlags@2@@Z
+??0AutoAssertNoContentJS@js@@QAE@PAUJSContext@@@Z
+??0FocusTarget@layers@mozilla@@QAE@PAVPresShell@2@_K@Z
+?GetFocusedDOMWindowInOurWindow@PresShell@mozilla@@QAE?AU?$already_AddRefed@VnsPIDOMWindowOuter@@@@XZ
+?GetFocusedContentInOurWindow@PresShell@mozilla@@QBE?AU?$already_AddRefed@VnsIContent@@@@XZ
+?GetFocusedElementForWindow@nsFocusManager@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@_NPAPAV3@PAPAVElement@dom@mozilla@@@Z
+?GetUnfocusedKeyEventTarget@nsHTMLDocument@@UAEPAVElement@dom@mozilla@@XZ
+?GetExistingListenerManager@nsGlobalWindowOuter@@UBEPAVEventListenerManager@mozilla@@XZ
+?GetFrom@RemoteBrowser@dom@mozilla@@SAPAV123@PAVnsIContent@@@Z
+?GetSelectedContentForScrolling@PresShell@mozilla@@QBE?AU?$already_AddRefed@VnsIContent@@@@XZ
+?GetScrollableFrameToScrollForContent@PresShell@mozilla@@QAEPAVnsIScrollableFrame@@PAVnsIContent@@V?$EnumSet@W4ScrollDirection@layers@mozilla@@I@2@@Z
+?FindIDForScrollableFrame@nsLayoutUtils@@SA_KPAVnsIScrollableFrame@@@Z
+?SetIsFirstPaint@ClientLayerManager@layers@mozilla@@UAEXXZ
+?BeginTransaction@ClientLayerManager@layers@mozilla@@UAE_NABV?$nsTString@D@@@Z
+?BeginTransactionWithTarget@ClientLayerManager@layers@mozilla@@UAE_NPAVgfxContext@@ABV?$nsTString@D@@@Z
+?IPCOpen@ShadowLayerForwarder@layers@mozilla@@UBE_NXZ
+?GetLog@LayerManager@layers@mozilla@@SAPAVLogModule@3@XZ
+?Log@LayerManager@layers@mozilla@@QAEXPBD@Z
+?GetClientBounds@nsBaseWidget@@UAE?AU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@XZ
+?BeginTransaction@ShadowLayerForwarder@layers@mozilla@@QAEXABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@W4ScreenRotation@3@I@Z
+?AddPrintPreviewBackgroundItem@PresShell@mozilla@@QAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@PAVnsIFrame@@ABUnsRect@@@Z
+?PaintFrame@nsLayoutUtils@@SA?AW4nsresult@@PAVgfxContext@@PAVnsIFrame@@ABVnsRegion@@IW4nsDisplayListBuilderMode@@W4PaintFrameFlags@1@@Z
+?GetPaintGeometry@nsCaret@@QAEPAVnsIFrame@@PAUnsRect@@@Z
+?GetFrom@BrowserChild@dom@mozilla@@SAPAV123@PAVPresShell@3@@Z
+?MaybeCreateDisplayPortInFirstScrollFrameEncountered@DisplayPortUtils@mozilla@@SA_NPAVnsIFrame@@PAVnsDisplayListBuilder@@@Z
+?FrameAt@nsFrameList@@QBEPAVnsIFrame@@H@Z
+?GetSubdocumentPresShellForPainting@nsSubDocumentFrame@@QAEPAVPresShell@mozilla@@I@Z
+??0AutoRecord@PaintTelemetry@mozilla@@QAE@W4Metric@12@@Z
+?FindOrCreateIDFor@nsLayoutUtils@@SA_KPAVnsIContent@@@Z
+?ShouldRebuildDisplayListDueToPrefChange@nsDisplayListBuilder@@QAE_NXZ
+?ClearRetainedWindowRegions@nsDisplayListBuilder@@QAEXXZ
+?GetPrevInFlow@nsSplittableFrame@@UBEPAVnsIFrame@@XZ
+?BuildCompositorHitTestInfoIfNeeded@nsDisplayListBuilder@@QAEXPAVnsIFrame@@PAVnsDisplayList@@_N@Z
+?InvalidateForSyncDecodeImages@nsDisplayItemGenericImageGeometry@@UBE_NXZ
+?Allocate@?$nsPresArena@$0IAAA@W4DisplayListArenaObjectId@mozilla@@$0FJ@@@QAEPAXW4DisplayListArenaObjectId@mozilla@@I@Z
+??0nsDisplayItem@@IAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PBUActiveScrolledRoot@mozilla@@@Z
+?UpdateDisplayItemData@@YAXPAVnsPaintedDisplayItem@@@Z
+?ComputeShouldPaintBackground@nsIFrame@@QBE?AUShouldPaintBackground@1@XZ
+?BuildDisplayList@nsBlockFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?DisplayBorderBackgroundOutline@nsIFrame@@QAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@_N@Z
+?FindReferenceFrameFor@nsDisplayListBuilder@@QBEPBVnsIFrame@@PBV2@PAUnsPoint@@@Z
+?AppendBackgroundItemsToTop@nsDisplayBackgroundImage@@SA_NPAVnsDisplayListBuilder@@PAVnsIFrame@@ABUnsRect@@PAVnsDisplayList@@_NPAVComputedStyle@mozilla@@21PAV?$Maybe@VAutoBuildingDisplayList@nsDisplayListBuilder@@@7@@Z
+??0nsDisplayBorder@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@@Z
+??$CalculateBounds@UnsRect@@@nsDisplayBorder@@IBE?AUnsRect@@ABUnsStyleBorder@@@Z
+?IsSizeAvailable@?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QBE_NXZ
+?GetBorderRadii@nsIFrame@@QBE_NQAH@Z
+?ComputeBorderRadii@nsIFrame@@SA_NABU?$StyleGenericBorderRadius@TStyleLengthPercentageUnion@mozilla@@@mozilla@@ABUnsSize@@1USides@3@QAH@Z
+?FrameForInvalidation@nsDisplayItemBase@@UBEPAVnsIFrame@@XZ
+?BuildDisplayList@nsBoxFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?InsetBorderRadii@nsIFrame@@SAXQAHABUnsMargin@@@Z
+?GetBorderRadii@nsIFrame@@UBE_NABUnsSize@@0USides@mozilla@@QAH@Z
+?ClipContainingBlockDescendants@DisplayListClipState@mozilla@@AAEXPAVnsDisplayListBuilder@@ABUnsRect@@PBHAAUDisplayItemClipChain@2@@Z
+?DisplaySelectionOverlay@nsContainerFrame@@IAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@G@Z
+??$TransformBounds@M@?$Matrix4x4Typed@ULayoutDevicePixel@mozilla@@U12@M@gfx@mozilla@@QBE?AU?$RectTyped@ULayoutDevicePixel@mozilla@@M@12@ABU312@@Z
+?Init@nsDisplayThemedBackground@@QAEXPAVnsDisplayListBuilder@@@Z
+?ThemeGeometryTypeForWidget@nsNativeThemeWin@@UAEEPAVnsIFrame@@W4StyleAppearance@mozilla@@@Z
+??1nsNativeThemeWin@@EAE@XZ
+?GetNearestWidget@nsIFrame@@QBEPAVnsIWidget@@XZ
+?IsTopLevelWidget@nsWindow@@UAE_NXZ
+??0nsDisplayThemedBackground@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@ABUnsRect@@@Z
+?WidgetIsContainer@nsNativeBasicTheme@@UAE_NW4StyleAppearance@mozilla@@@Z
+?NeedsActiveLayer@nsDisplayOpacity@@SA_NPAVnsDisplayListBuilder@@PAVnsIFrame@@_N@Z
+?HasAnimationsForCompositor@EffectCompositor@mozilla@@SA_NPBVnsIFrame@@W4DisplayItemType@@@Z
+?NotifyOffsetRestyle@ActiveLayerTracker@mozilla@@SAXPAVnsIFrame@@@Z
+?GetStyleFrame@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@@Z
+?HasEffectiveAnimation@nsLayoutUtils@@SA_NPBVnsIFrame@@ABVnsCSSPropertyIDSet@@@Z
+??0nsDisplayOpacity@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsDisplayList@@PBUActiveScrolledRoot@mozilla@@_N4@Z
+??0nsDisplayWrapList@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsDisplayList@@PBUActiveScrolledRoot@mozilla@@_N@Z
+?UpdateBounds@nsDisplayWrapList@@UAEXPAVnsDisplayListBuilder@@@Z
+?IsAncestor@ActiveScrolledRoot@mozilla@@SA_NPBU12@0@Z
+?SetClipChain@nsDisplayItem@@UAEXPBUDisplayItemClipChain@mozilla@@_N@Z
+?GetClippedBoundsWithRespectToASR@nsDisplayList@@QBE?AUnsRect@@PAVnsDisplayListBuilder@@PBUActiveScrolledRoot@mozilla@@PAU2@@Z
+?GetBounds@nsDisplayBackgroundColor@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?GetChildren@nsDisplayWrapList@@UBEPAVRetainedDisplayList@@XZ
+?RemoveBottom@nsDisplayList@@QAEPAVnsDisplayItem@@XZ
+?IsNodeApzAwareInternal@nsINode@@UBE_NXZ
+?IsApzAware@EventTarget@dom@mozilla@@UBE_NXZ
+?GetBorderRadii@nsXULScrollFrame@@UBE_NABUnsSize@@0USides@mozilla@@QAH@Z
+?BuildDisplayList@ScrollFrameHelper@mozilla@@QAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?HasDisplayPort@DisplayPortUtils@mozilla@@SA_NPAVnsIContent@@@Z
+?DecideScrollableLayer@ScrollFrameHelper@mozilla@@QAE_NPAVnsDisplayListBuilder@@PAUnsRect@@1_NPA_N@Z
+?GetParentPresContext@nsPresContext@@QBEPAV1@XZ
+?SetDisplayPortBase@DisplayPortUtils@mozilla@@SAXPAVnsIContent@@ABUnsRect@@@Z
+?GetDisplayPort@DisplayPortUtils@mozilla@@SA_NPAVnsIContent@@PAUnsRect@@ABUDisplayPortOptions@2@@Z
+?UpdateScrollbarPosition@ScrollFrameHelper@mozilla@@QAEXXZ
+?GetBorderRadii@ScrollFrameHelper@mozilla@@QBE_NABUnsSize@@0USides@2@QAH@Z
+?SetTo@DisplayItemClip@mozilla@@QAEXABUnsRect@@@Z
+?IsScrollingActive@ScrollFrameHelper@mozilla@@QBE_NPAVnsDisplayListBuilder@@@Z
+?GetImageLayerClip@nsCSSRendering@@SAXABULayer@nsStyleImageLayers@@PAVnsIFrame@@ABUnsStyleBorder@@ABUnsRect@@3_NHPAUImageLayerClipState@1@@Z
+?GetSkipSides@nsIFrame@@QBE?AUSides@mozilla@@XZ
+?RectToGfxRect@nsLayoutUtils@@SA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@ABUnsRect@@H@Z
+??0nsDisplayContainer@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PBUActiveScrolledRoot@mozilla@@PAVnsDisplayList@@@Z
+?BuildDisplayList@nsTextFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?CalcColor@?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@QBEIPBVnsIFrame@@@Z
+??0nsDisplayText@@QAE@PAVnsDisplayListBuilder@@PAVnsTextFrame@@ABV?$Maybe@_N@mozilla@@@Z
+?MoveTo@nsDisplayListSet@@QBEXABV1@@Z
+?InkOverflowRectRelativeToParent@nsIFrame@@QBE?AUnsRect@@XZ
+?ObjectPropsMightCauseOverflow@nsStyleUtil@@SA_NPBUnsStylePosition@@@Z
+??0AutoSaveRestore@DisplayListClipState@mozilla@@QAE@PAVnsDisplayListBuilder@@@Z
+?ClipContainingBlockDescendantsToContentBox@DisplayListClipState@mozilla@@AAEXPAVnsDisplayListBuilder@@PAVnsIFrame@@AAUDisplayItemClipChain@2@I@Z
+?GetContentBoxBorderRadii@nsIFrame@@QBE_NQAH@Z
+?GetLogicalSkipSides@nsIFrame@@UBE?AULogicalSides@mozilla@@XZ
+?CreateOwnLayerIfNeeded@nsIFrame@@QAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@GPA_N@Z
+?GetResultingTransformMatrix@nsDisplayTransform@@SA?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@ABUFrameTransformProperties@1@AAVTransformReferenceBox@nsStyleTransformMatrix@@M@Z
+?ZIndex@nsDisplayItem@@UBEHXZ
+?Free@?$nsPresArena@$0IAAA@W4DisplayListArenaObjectId@mozilla@@$0FJ@@@QAEXW4DisplayListArenaObjectId@mozilla@@PAX@Z
+?GetBounds@nsDisplayBoxShadowOuter@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UStrip@regiondetails@@@?$nsTArray_Impl@UStrip@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEXPBUStrip@regiondetails@@I@Z
+??$InsertElementAtInternal@UnsTArrayInfallibleAllocator@@UBand@regiondetails@@@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEPAUBand@regiondetails@@I$$QAU12@@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@UBand@regiondetails@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+?BuildDisplayListForChildren@nsBoxFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?GetPaddingRect@nsDisplayItem@@QBE?AUnsRect@@XZ
+?GetBoundsInternal@nsDisplayBoxShadowOuter@@QAE?AUnsRect@@XZ
+?ClipContentDescendants@DisplayListClipState@mozilla@@AAEXPAVnsDisplayListBuilder@@ABUnsRect@@PBHAAUDisplayItemClipChain@2@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@URoundedRect@DisplayItemClip@mozilla@@@?$nsTArray_Impl@URoundedRect@DisplayItemClip@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBURoundedRect@DisplayItemClip@mozilla@@I@Z
+?ComputeVisibleRectForFrame@OutOfFlowDisplayData@nsDisplayListBuilder@@SA?AUnsRect@@PAV2@PAVnsIFrame@@ABU3@2PAU3@@Z
+?FindAnimatedGeometryRootFor@nsDisplayListBuilder@@AAEPAUAnimatedGeometryRoot@@PAVnsIFrame@@@Z
+?InvalidateCurrentCombinedClipChain@DisplayListClipState@mozilla@@AAEXPBUActiveScrolledRoot@2@@Z
+?SetCurrentActiveScrolledRoot@AutoCurrentActiveScrolledRootSetter@nsDisplayListBuilder@@QAEXPBUActiveScrolledRoot@mozilla@@@Z
+?BuildDisplayList@nsHTMLScrollFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?BuildDisplayList@nsTextControlFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?GetBounds@nsDisplayWrapList@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?GetBounds@nsDisplayThemedBackground@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?IsRootContentDocument@nsPresContext@@QBE_NXZ
+?NeedsPrintPreviewBackground@nsLayoutUtils@@SA_NPAVnsPresContext@@@Z
+?AddCanvasBackgroundColorItem@PresShell@mozilla@@QAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@PAVnsIFrame@@ABUnsRect@@IW4AddCanvasBackgroundColorFlags@2@@Z
+??0nsDisplaySubDocument@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsSubDocumentFrame@@PAVnsDisplayList@@W4nsDisplayOwnLayerFlags@@@Z
+??0nsDisplayOwnLayer@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsDisplayList@@PBUActiveScrolledRoot@mozilla@@W4nsDisplayOwnLayerFlags@@ABUScrollbarData@layers@5@_N6@Z
+?Disown@nsDisplaySubDocument@@QAEXXZ
+?HasAnimationOfPropertySet@nsLayoutUtils@@SA_NPBVnsIFrame@@ABVnsCSSPropertyIDSet@@PAVEffectSet@mozilla@@@Z
+?IsFixedPosFrameInDisplayPort@DisplayPortUtils@mozilla@@SA_NPBVnsIFrame@@@Z
+?GetCurrentCombinedClipChain@DisplayListClipState@mozilla@@QAEPBUDisplayItemClipChain@2@PAVnsDisplayListBuilder@@@Z
+?ZIndex@nsDisplayWrapList@@UBEHXZ
+?AddExtraBackgroundItems@nsLayoutUtils@@SAXPAVnsDisplayListBuilder@@PAVnsDisplayList@@PAVnsIFrame@@ABUnsRect@@ABVnsRegion@@I@Z
+?UsesAsyncScrolling@nsLayoutUtils@@SA_NPAVnsIFrame@@@Z
+?NotifyNonBlankPaint@nsPresContext@@QAEXXZ
+?IncrementPresShellPaintCount@nsDisplayListBuilder@@QAEXPAVPresShell@mozilla@@@Z
+?AddPaintedPresShell@nsIFrame@@QAEXPAVPresShell@mozilla@@@Z
+??1AutoRecord@PaintTelemetry@mozilla@@QAE@XZ
+?DumpDisplayList@gfxUtils@@SA_NXZ
+?SetRegionToClear@LayerManager@layers@mozilla@@UAEXABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?PaintRoot@nsDisplayList@@QAE?AU?$already_AddRefed@VLayerManager@layers@mozilla@@@@PAVnsDisplayListBuilder@@PAVgfxContext@@I@Z
+?MayHavePaintEventListenerInSubDocument@nsPresContext@@QAE_NXZ
+?UserFontSetUpdated@nsPresContext@@QAEXPAVgfxUserFontEntry@@@Z
+?CloneLayerTreePropertiesInternal@layers@mozilla@@YA?AV?$UniquePtr@ULayerPropertiesBase@layers@mozilla@@V?$DefaultDelete@ULayerPropertiesBase@layers@mozilla@@@3@@2@PAVLayer@12@_N@Z
+?MaybeSetupTransactionIdAllocator@layout@mozilla@@YAXPAVLayerManager@layers@2@PAVnsPresContext@@@Z
+?Init@FrameLayerBuilder@mozilla@@QAEXPAVnsDisplayListBuilder@@PAVLayerManager@layers@2@PAVPaintedLayerData@2@_NPBVDisplayItemClip@2@@Z
+?DidBeginRetainedLayerTransaction@FrameLayerBuilder@mozilla@@QAEXPAVLayerManager@layers@2@@Z
+?AddScrollFrameToNotify@nsDisplayListBuilder@@QAEXPAVnsIScrollableFrame@@@Z
+?AssertDisplayItemData@DisplayItemData@mozilla@@SAPAV12@PAV12@@Z
+?Connect@CompositableClient@layers@mozilla@@UAE_NPAVImageContainer@23@@Z
+??0ContainerLayer@layers@mozilla@@IAE@PAVLayerManager@12@PAX@Z
+??0Layer@layers@mozilla@@IAE@PAVLayerManager@12@PAX@Z
+??0AnimationInfo@layers@mozilla@@QAE@XZ
+?CreatedContainerLayer@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@@Z
+??0Edit@layers@mozilla@@QAE@ABV012@@Z
+??1?$nsTArray_Impl@V?$RefPtr@VTextureClient@layers@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetBounds@nsDisplayCaret@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+??_GnsDisplayText@@UAEPAXI@Z
+?ChooseScale@FrameLayerBuilder@mozilla@@SA?AU?$SizeTyped@UUnknownUnits@gfx@mozilla@@M@gfx@2@PAVnsIFrame@@PAVnsDisplayItem@@ABUnsRect@@MMABV?$BaseMatrix@M@42@_N@Z
+?HasPerspective@nsIFrame@@QBE_NPBUnsStyleDisplay@@@Z
+?FrameHasAnimatedScale@AnimationUtils@mozilla@@SA_NPBVnsIFrame@@@Z
+?SetBaseTransform@Layer@layers@mozilla@@QAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+?HasAnimationOfTransform@nsIFrame@@QBE_NXZ
+?GetFirstChild@ContainerLayer@layers@mozilla@@UBEPAVLayer@23@XZ
+?ResolveFlattening@FlattenedDisplayListIterator@@IAEXXZ
+?ShouldFlattenNextItem@FLBDisplayListIterator@mozilla@@EAE_NXZ
+?GetLayerState@nsDisplaySolidColor@@UAE?AW4LayerState@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@@Z
+?GetOpaqueRegion@nsDisplaySolidColorBase@@UBE?AVnsRegion@@PAVnsDisplayListBuilder@@PA_N@Z
+?Copy@nsRegion@@AAEAAV1@ABUnsRect@@@Z
+?Contains@nsRegion@@QBE_NABUnsRect@@@Z
+?ScaleToNearestPixels@nsRegion@@QBE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@MMH@Z
+?Contains@nsRegion@@QBE_NABV1@@Z
+?IsUniform@nsDisplaySolidColorBase@@UBE?AV?$Maybe@I@mozilla@@PAVnsDisplayListBuilder@@@Z
+?SimplifyOutward@nsRegion@@QAEXI@Z
+?GetOpaqueRegion@nsDisplayItem@@UBE?AVnsRegion@@PAVnsDisplayListBuilder@@PA_N@Z
+?IsUniform@nsDisplayItem@@UBE?AV?$Maybe@I@mozilla@@PAVnsDisplayListBuilder@@@Z
+?HitTest@nsDisplayBackgroundImage@@UAEXPAVnsDisplayListBuilder@@ABUnsRect@@PAUHitTestState@nsDisplayItem@@PAV?$nsTArray@PAVnsIFrame@@@@@Z
+?ShouldFlattenAway@nsDisplayOpacity@@UAE_NPAVnsDisplayListBuilder@@@Z
+?CreateWebRenderCommands@nsDisplaySVGWrapper@@UAE_NAAVDisplayListBuilder@wr@mozilla@@AAVIpcResourceUpdateQueue@34@ABVStackingContextHelper@layers@4@PAVRenderRootStateManager@74@PAVnsDisplayListBuilder@@@Z
+?GetLayerState@nsDisplayOpacity@@UAE?AW4LayerState@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@@Z
+??$emplace_back@AAPAVnsDisplayItem@@AAW4DisplayItemEntryType@mozilla@@@?$deque@UDisplayItemEntry@mozilla@@V?$allocator@UDisplayItemEntry@mozilla@@@std@@@std@@QAE?A?<decltype-auto>@@AAPAVnsDisplayItem@@AAW4DisplayItemEntryType@mozilla@@@Z
+?Name@EffectNV12@layers@mozilla@@UAEPBDXZ
+?GetComponentAlphaBounds@nsDisplayWrapList@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@@Z
+?GetComponentAlphaBounds@nsDisplayItem@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@@Z
+?AllocateDisplayItemClipChain@nsDisplayListBuilder@@QAEPBUDisplayItemClipChain@mozilla@@ABVDisplayItemClip@3@PBUActiveScrolledRoot@3@PBU23@@Z
+?DrawShapeImage@nsImageRenderer@mozilla@@QAE?AW4ImgDrawResult@image@2@PAVnsPresContext@@AAVgfxContext@@@Z
+?And@nsRegion@@QAEAAV1@ABV1@0@Z
+?HasHitTestInfo@nsDisplayHitTestInfoBase@@UBE_NXZ
+?ClearNotifySubDocInvalidationData@nsPresContext@@SAXPAVContainerLayer@layers@mozilla@@@Z
+??1?$MaybeStorage@UScrollMetadata@layers@mozilla@@$0A@@detail@mozilla@@QAE@XZ
+?SetNotifySubDocInvalidationData@nsPresContext@@QAEXPAVContainerLayer@layers@mozilla@@@Z
+?LayerUserDataDestroy@LayerManager@layers@mozilla@@SAXPAX@Z
+?IsInvalid@nsDisplayWrapList@@UBE_NAAUnsRect@@@Z
+?SetInvalidRectToVisibleRegion@Layer@layers@mozilla@@QAEXXZ
+?AsCSSTransition@CSSTransition@dom@mozilla@@UBEPBV123@XZ
+?SetClipRect@Layer@layers@mozilla@@QAEXABV?$Maybe@U?$IntRectTyped@UParentLayerPixel@mozilla@@@gfx@mozilla@@@3@@Z
+?SetAncestorMaskLayers@Layer@layers@mozilla@@QAEXABV?$nsTArray@V?$RefPtr@VLayer@layers@mozilla@@@@@@@Z
+?UsesTiling@gfxPlatform@@UBE_NXZ
+?CreatedPaintedLayer@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@@Z
+?AsLayer@ClientPaintedLayer@layers@mozilla@@UAEPAVLayer@23@XZ
+?Sub@nsRegion@@QAEAAV1@ABV1@0@Z
+?AsShadowableLayer@ClientPaintedLayer@layers@mozilla@@UAEPAVShadowableLayer@23@XZ
+??0EventRegions@layers@mozilla@@QAE@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@2@00000_N@Z
+?GetTransform@Layer@layers@mozilla@@QBE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@XZ
+?ApplyTranslationAndScale@EventRegions@layers@mozilla@@QAEXMMMM@Z
+?ScaleRoundOut@nsRegion@@QAEAAV1@MM@Z
+?SetEventRegions@Layer@layers@mozilla@@QAEXABUEventRegions@23@@Z
+??8EventRegions@layers@mozilla@@QBE_NABU012@@Z
+?SetScrollMetadata@Layer@layers@mozilla@@QAEXABV?$nsTArray@UScrollMetadata@layers@mozilla@@@@@Z
+?ClearPendingScrollInfoUpdate@LayerManager@layers@mozilla@@QAE?AV?$unordered_set@_KU?$hash@_K@std@@U?$equal_to@_K@2@V?$allocator@_K@2@@std@@XZ
+??1?$nsTArray_Impl@UScrollMetadata@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?And@nsRegion@@QAEAAV1@ABV1@ABUnsRectAbsolute@@@Z
+?SetVisibleRegion@Layer@layers@mozilla@@UAEXABV?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@3@@Z
+?GetCombinedClipRect@Layer@layers@mozilla@@QBE?AV?$Maybe@U?$IntRectTyped@UParentLayerPixel@mozilla@@@gfx@mozilla@@@3@XZ
+?GetType@PaintedLayer@layers@mozilla@@UBE?AW4LayerType@Layer@23@XZ
+?BrowsingContextReadyCallback@nsOpenWindowInfo@@UAEPAVnsIBrowsingContextReadyCallback@@XZ
+?InsertAfter@ContainerLayer@layers@mozilla@@UAE_NPAVLayer@23@0@Z
+?InsertAfter@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@00@Z
+?GetRootMetadata@nsLayoutUtils@@SA?AV?$Maybe@UScrollMetadata@layers@mozilla@@@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@ABV?$function@$$A6A_NAA_K@Z@std@@@Z
+?ComputeScrollMetadata@nsLayoutUtils@@SA?AUScrollMetadata@layers@mozilla@@PBVnsIFrame@@0PAVnsIContent@@0PAVLayerManager@34@_KABUnsSize@@ABV?$Maybe@UnsRect@@@4@_NABV?$Maybe@UContainerLayerParameters@mozilla@@@4@@Z
+?TouchEventsOverride@BrowsingContext@dom@mozilla@@QBE?AW4023@XZ
+?GetTransformToAncestorScale@nsLayoutUtils@@SA?AU?$SizeTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@PBVnsIFrame@@@Z
+?GetCumulativeResolution@PresShell@mozilla@@QBEMXZ
+?ScrollbarAreaToExcludeFromCompositionBoundsFor@nsLayoutUtils@@SA?AUnsMargin@@PBVnsIFrame@@@Z
+?GetContentViewerSize@nsLayoutUtils@@SA_NPBVnsPresContext@@AAU?$IntSizeTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@W4SubtractDynamicToolbar@1@@Z
+?ShouldDisableApzForElement@nsLayoutUtils@@SA_NPAVnsIContent@@@Z
+??0ScrollMetadata@layers@mozilla@@QAE@$$QAU012@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@H@?$nsTArray_Impl@HUnsTArrayInfallibleAllocator@@@@AAEXPBHI@Z
+?ScrollMetadataChanged@Layer@layers@mozilla@@AAEXXZ
+?SetRoot@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@@Z
+?WillEndTransaction@FrameLayerBuilder@mozilla@@QAEXXZ
+?AllocateGeometry@nsDisplaySolidColorBase@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+??0nsDisplayItemBoundsGeometry@@QAE@PAVnsDisplayItem@@PAVnsDisplayListBuilder@@@Z
+?InvalidateRegion@BasicPaintedLayer@layers@mozilla@@UAEXABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+??$moveConstruct@V?$Variant@UEmptyAttributes@gfx@mozilla@@UBlendAttributes@23@UMorphologyAttributes@23@UColorMatrixAttributes@23@UFloodAttributes@23@UTileAttributes@23@UComponentTransferAttributes@23@UOpacityAttributes@23@UConvolveMatrixAttributes@23@UOffsetAttributes@23@UDisplacementMapAttributes@23@UTurbulenceAttributes@23@UCompositeAttributes@23@UMergeAttributes@23@UImageAttributes@23@UGaussianBlurAttributes@23@UDropShadowAttributes@23@UDiffuseLightingAttributes@23@USpecularLightingAttributes@23@UToAlphaAttributes@23@@mozilla@@@?$VariantImplementation@E$0BC@USpecularLightingAttributes@gfx@mozilla@@UToAlphaAttributes@23@@detail@mozilla@@SAXPAX$$QAV?$Variant@UEmptyAttributes@gfx@mozilla@@UBlendAttributes@23@UMorphologyAttributes@23@UColorMatrixAttributes@23@UFloodAttributes@23@UTileAttributes@23@UComponentTransferAttributes@23@UOpacityAttributes@23@UConvolveMatrixAttributes@23@UOffsetAttributes@23@UDisplacementMapAttributes@23@UTurbulenceAttributes@23@UCompositeAttributes@23@UMergeAttributes@23@UImageAttributes@23@UGaussianBlurAttributes@23@UDropShadowAttributes@23@UDiffuseLightingAttributes@23@USpecularLightingAttributes@23@UToAlphaAttributes@23@@2@@Z
+?IsInvisibleInRect@nsDisplayBorder@@UBE_NABUnsRect@@@Z
+?GetMostRecentGeometry@FrameLayerBuilder@mozilla@@SAPAVnsDisplayItemGeometry@@PAVnsDisplayItem@@@Z
+?AllocateGeometry@nsDisplayThemedBackground@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+??0nsDisplayThemedBackgroundGeometry@@QAE@PAVnsDisplayThemedBackground@@PAVnsDisplayListBuilder@@@Z
+?GetMinISize@nsImageFrame@@UAEHPAVgfxContext@@@Z
+??0nsDisplayItemGenericGeometry@@QAE@PAVnsDisplayItem@@PAVnsDisplayListBuilder@@@Z
+?AllocateGeometry@nsDisplayBoxShadowOuter@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+??0nsDisplayBoxShadowOuterGeometry@@QAE@PAVnsDisplayItem@@PAVnsDisplayListBuilder@@M@Z
+?StorePluginWidgetConfigurations@ClientLayerManager@layers@mozilla@@UAEXABV?$nsTArray@UConfiguration@nsIWidget@@@@@Z
+?FlushAsyncPaints@CompositorBridgeChild@layers@mozilla@@QAEXXZ
+?ApplyPendingUpdatesForThisTransaction@AnimationInfo@layers@mozilla@@QAE_NXZ
+?ComputeEffectiveTransforms@ClientContainerLayer@layers@mozilla@@UAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+?DefaultComputeEffectiveTransforms@ContainerLayer@layers@mozilla@@IAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+??$?DUParentLayerPixel@mozilla@@@?$Matrix4x4Typed@ULayerPixel@mozilla@@UCSSTransformedLayerPixel@2@M@gfx@mozilla@@QBE?AV?$Matrix4x4Typed@ULayerPixel@mozilla@@UParentLayerPixel@2@M@12@ABV?$Matrix4x4Typed@UCSSTransformedLayerPixel@mozilla@@UParentLayerPixel@2@M@12@@Z
+?NudgeToIntegers@?$BaseMatrix@M@gfx@mozilla@@QAEAAV123@XZ
+?ComputeEffectiveTransforms@PaintedLayer@layers@mozilla@@UAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+?GetLocalTransform@Layer@layers@mozilla@@QAE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@XZ
+?SnapTransformTranslation@Layer@layers@mozilla@@IAE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@ABV453@PAV?$BaseMatrix@M@53@@Z
+?SnapTransformTranslation3D@Layer@layers@mozilla@@IAE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@ABV453@PAV?$BaseMatrix@M@53@@Z
+?ComputeEffectiveTransformForMaskLayers@Layer@layers@mozilla@@QAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+?DefaultComputeSupportsComponentAlphaChildren@ContainerLayer@layers@mozilla@@IAEXPA_N@Z
+?BuildUpdates@ReadbackProcessor@layers@mozilla@@QAEXPAVContainerLayer@23@@Z
+?SetLayersObserverEpoch@ClientLayerManager@layers@mozilla@@UAEXULayersObserverEpoch@23@@Z
+?AddRef@ShadowLayerForwarder@layers@mozilla@@UAGKXZ
+?SetLayersObserverEpoch@ShadowLayerForwarder@layers@mozilla@@QAEXULayersObserverEpoch@23@@Z
+?InitIPDL@CompositableClient@layers@mozilla@@QAEXABVCompositableHandle@23@@Z
+?SendNewCompositable@PLayerTransactionChild@layers@mozilla@@QAE_NABVCompositableHandle@23@ABUTextureInfo@23@@Z
+??0HangEntry@mozilla@@QAE@$$QAVHangEntrySuppressed@1@@Z
+?SendNewCompositable@PImageBridgeChild@layers@mozilla@@QAE_NABVCompositableHandle@23@ABUTextureInfo@23@ABW4LayersBackend@23@@Z
+?Attach@ShadowLayerForwarder@layers@mozilla@@QAEXPAVCompositableClient@23@PAVShadowableLayer@23@@Z
+?CanUseOpaqueSurface@Layer@layers@mozilla@@QAE_NXZ
+?EnsureValidRegionIsCurrent@PaintedLayer@layers@mozilla@@ABEXXZ
+??4nsRegion@@QAEAAV0@$$QAV0@@Z
+?BufferRotationEnabled@gfxPlatform@@SA_NXZ
+?Optimal2DFormatForContent@gfxPlatform@@UAE?AW4SurfaceFormat@gfx@mozilla@@W4gfxContentType@@@Z
+?CreateForDrawing@TextureClient@layers@mozilla@@SA?AU?$already_AddRefed@VTextureClient@layers@mozilla@@@@PAVKnowsCompositor@23@W4SurfaceFormat@gfx@3@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@73@W4BackendSelector@23@W4TextureFlags@23@W4TextureAllocationFlags@23@@Z
+?RepositionChild@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@00@Z
+?CreateForDrawing@TextureClient@layers@mozilla@@CA?AU?$already_AddRefed@VTextureClient@layers@mozilla@@@@PAVTextureForwarder@23@W4SurfaceFormat@gfx@3@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@73@PAVKnowsCompositor@23@W4BackendSelector@23@W4TextureFlags@23@W4TextureAllocationFlags@23@@Z
+?GetResult@ServiceWorkerUnregisterJob@dom@mozilla@@QBE_NXZ
+?PreferredCanvasTextureType@layers@mozilla@@YA?AW4TextureType@12@PAVKnowsCompositor@12@@Z
+?CreateForRawBufferAccess@TextureClient@layers@mozilla@@CA?AU?$already_AddRefed@VTextureClient@layers@mozilla@@@@PAVLayersIPCChannel@23@W4SurfaceFormat@gfx@3@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@73@W4BackendType@73@W4LayersBackend@23@W4TextureFlags@23@W4TextureAllocationFlags@23@@Z
+?IsSameProcess@CompositorBridgeChild@layers@mozilla@@UBE_NXZ
+?OtherPid@IProtocol@ipc@mozilla@@QBEKXZ
+?Create@BufferTextureData@layers@mozilla@@KAPAV123@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@W4SurfaceFormat@53@W4BackendType@53@W4LayersBackend@23@W4TextureFlags@23@W4TextureAllocationFlags@23@PAVIShmemAllocator@ipc@3@_N@Z
+?ComputeRGBBufferSize@ImageDataSerializer@layers@mozilla@@YAIU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@W4SurfaceFormat@53@@Z
+ARGBRect
+MaskCpuFlags
+ARGBSetRow_X86
+?OnMessageReceived@PImageBridgeParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@AAPAV78@@Z
+?RecvNewCompositable@LayerTransactionParent@layers@mozilla@@IAE?AVIPCResult@ipc@3@ABVCompositableHandle@23@ABUTextureInfo@23@@Z
+?Create@CompositableHost@layers@mozilla@@SA?AU?$already_AddRefed@VCompositableHost@layers@mozilla@@@@ABUTextureInfo@23@_N@Z
+??0BufferDescriptor@layers@mozilla@@QAE@ABV012@@Z
+??0TextureClient@layers@mozilla@@QAE@PAVTextureData@12@W4TextureFlags@12@PAVLayersIPCChannel@12@@Z
+?CreateForYCbCr@BufferTextureData@layers@mozilla@@SAPAV123@PAVKnowsCompositor@23@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@63@I2IW4StereoMode@3@W4ColorDepth@63@W4YUVColorSpace@63@W4ColorRange@63@W4TextureFlags@23@@Z
+?SizeFromBufferDescriptor@ImageDataSerializer@layers@mozilla@@YA?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABVBufferDescriptor@23@@Z
+?FormatFromBufferDescriptor@ImageDataSerializer@layers@mozilla@@YA?AW4SurfaceFormat@gfx@3@ABVBufferDescriptor@23@@Z
+?AddTextureClient@CompositableClient@layers@mozilla@@UAE_NPAVTextureClient@23@@Z
+?SetAddedToCompositableClient@TextureClient@layers@mozilla@@QAEXXZ
+?InitIPDLActor@TextureClient@layers@mozilla@@QAE_NPAVCompositableForwarder@23@@Z
+?GetStereoMode@BufferTextureData@layers@mozilla@@QBE?AV?$Maybe@W4StereoMode@mozilla@@@3@XZ
+??0MemoryOrShmem@layers@mozilla@@QAE@ABI@Z
+??0MemoryOrShmem@layers@mozilla@@QAE@ABV012@@Z
+??4SurfaceDescriptor@layers@mozilla@@QAEAAV012@$$QAVSurfaceDescriptorBuffer@12@@Z
+?MaybeDestroy@SurfaceDescriptor@layers@mozilla@@AAE_NW4Type@123@@Z
+??4BufferDescriptor@layers@mozilla@@QAEAAV012@$$QAV012@@Z
+??4MemoryOrShmem@layers@mozilla@@QAEAAV012@$$QAVShmem@ipc@2@@Z
+??1MemoryOrShmem@layers@mozilla@@QAE@XZ
+?GetNextExternalImageId@CompositorBridgeChild@layers@mozilla@@UAE?AV?$Maybe@UExternalImageId@wr@mozilla@@@3@XZ
+?AsLayerForwarder@ShadowLayerForwarder@layers@mozilla@@UAEPAV123@XZ
+?GetParentPid@CompositorBridgeChild@layers@mozilla@@UBEKXZ
+??1ShmemTextureReadLock@layers@mozilla@@UAE@XZ
+??_GShmemTextureReadLock@layers@mozilla@@UAEPAXI@Z
+??4ReadLockDescriptor@layers@mozilla@@QAEAAV012@$$QAV012@@Z
+??1ReadLockDescriptor@layers@mozilla@@QAE@XZ
+?CreateIPDLActor@TextureClient@layers@mozilla@@SAPAVPTextureChild@23@XZ
+??0PTextureChild@layers@mozilla@@QAE@XZ
+?SendPTextureConstructor@PCompositorBridgeChild@layers@mozilla@@QAEPAVPTextureChild@23@PAV423@ABVSurfaceDescriptor@23@ABVReadLockDescriptor@23@ABW4LayersBackend@23@ABW4TextureFlags@23@ABULayersId@23@AB_KABV?$Maybe@UExternalImageId@wr@mozilla@@@3@@Z
+?Read@?$IPDLParamTraits@VReadLockDescriptor@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVReadLockDescriptor@layers@3@@Z
+?Write@?$IPDLParamTraits@PAVPTextureChild@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPTextureChild@layers@3@@Z
+?Write@?$IPDLParamTraits@VSurfaceDescriptor@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVSurfaceDescriptor@layers@3@@Z
+??4IPCDataTransferData@dom@mozilla@@QAEAAV012@ABVIPCBlob@12@@Z
+?Write@?$IPDLParamTraits@VReadLockDescriptor@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVReadLockDescriptor@layers@3@@Z
+?Release@?$AtomicRefCountedWithFinalize@VTextureClient@layers@mozilla@@@mozilla@@AAEXXZ
+?Lock@RemoteRotatedBuffer@layers@mozilla@@UAE_NW4OpenMode@23@@Z
+?Lock@TextureClient@layers@mozilla@@QAE_NW4OpenMode@23@@Z
+?Wait@CrossProcessSemaphore@mozilla@@QAE_NABV?$Maybe@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@@2@@Z
+?GetRGBStride@ImageDataSerializer@layers@mozilla@@YAHABVRGBDescriptor@23@@Z
+?DefaultQueue@Device@webgpu@mozilla@@QBEPAVQueue@23@XZ
+?CreateDrawTargetForData@Factory@gfx@mozilla@@SA?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@W4BackendType@23@PAEABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HW4SurfaceFormat@23@_N@Z
+?Init@DrawTargetSkia@gfx@mozilla@@QAE_NPAEABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HW4SurfaceFormat@23@_N@Z
+?MakeRasterDirectReleaseProc@SkSurface@@SA?AV?$sk_sp@VSkSurface@@@@ABUSkImageInfo@@PAXIP6AX11@Z1PBVSkSurfaceProps@@@Z
+?shiftPerPixel@SkColorInfo@@QBEHXZ
+?installPixels@SkBitmap@@QAE_NABUSkImageInfo@@PAXIP6AX11@Z1@Z
+?BorrowDrawTarget@TextureClient@layers@mozilla@@QAEPAVDrawTarget@gfx@3@XZ
+?Sub@nsRegion@@QAEAAV1@ABV1@ABUnsRectAbsolute@@@Z
+?SubWith@nsRegion@@QAEAAV1@ABV1@@Z
+?Read@?$IPDLParamTraits@VSurfaceDescriptor@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVSurfaceDescriptor@layers@3@@Z
+?GetLocalVisibleRegion@Layer@layers@mozilla@@QAEABV?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@3@XZ
+?AndWith@nsRegion@@QAEAAV1@ABV1@@Z
+?BorrowDrawTargetForQuadrantUpdate@RotatedBuffer@layers@mozilla@@QAEPAVDrawTarget@gfx@3@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@53@PAUDrawIterator@123@@Z
+?SetTransform@DrawTargetSkia@gfx@mozilla@@UAEXABV?$BaseMatrix@M@23@@Z
+?GetBackendType@DrawTargetSkia@gfx@mozilla@@UBE?AW4BackendType@23@XZ
+?Read@?$IPDLParamTraits@VRGBDescriptor@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVRGBDescriptor@layers@3@@Z
+?SetAntialiasingFlags@layers@mozilla@@YAXPAVLayer@12@PAVDrawTarget@gfx@2@@Z
+?IsCurrentGroupOpaque@DrawTarget@gfx@mozilla@@UAE_NXZ
+?CreatePreservingTransformOrNull@gfxContext@@SA?AU?$already_AddRefed@VgfxContext@@@@PAVDrawTarget@gfx@mozilla@@@Z
+?ChangeTransform@gfxContext@@AAEXABV?$BaseMatrix@M@gfx@mozilla@@_N@Z
+?AllocPTextureParent@CompositorBridgeParent@layers@mozilla@@UAEPAVPTextureParent@23@ABVSurfaceDescriptor@23@ABVReadLockDescriptor@23@ABW4LayersBackend@23@ABW4TextureFlags@23@ABULayersId@23@AB_KABV?$Maybe@UExternalImageId@wr@mozilla@@@3@@Z
+?CreateIPDLActor@TextureHost@layers@mozilla@@SAPAVPTextureParent@23@PAVHostIPCAllocator@23@ABVSurfaceDescriptor@23@ABVReadLockDescriptor@23@W4LayersBackend@23@W4TextureFlags@23@_KABV?$Maybe@UExternalImageId@wr@mozilla@@@3@@Z
+?DrawPaintedLayer@FrameLayerBuilder@mozilla@@SAXPAVPaintedLayer@layers@2@PAVgfxContext@@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@2@2W4DrawRegionClip@42@2PAX@Z
+??0PTextureParent@layers@mozilla@@QAE@XZ
+??0MemoryTextureHost@layers@mozilla@@QAE@PAEABVBufferDescriptor@12@W4TextureFlags@12@@Z
+?ClipToRegion@gfxUtils@@SAXPAVgfxContext@@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?NewPath@gfxContext@@QAEXXZ
+?Rectangle@gfxContext@@AAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@_N@Z
+?Clip@gfxContext@@QAEXXZ
+?PushClipRect@DrawTargetSkia@gfx@mozilla@@UAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+?CreateBackendIndependentTextureHost@layers@mozilla@@YA?AU?$already_AddRefed@VTextureHost@layers@mozilla@@@@ABVSurfaceDescriptor@12@PAVISurfaceAllocator@12@W4LayersBackend@12@W4TextureFlags@12@@Z
+?ToAppUnits@?$BaseIntRegion@V?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@23@U?$IntMarginTyped@UUnknownUnits@gfx@mozilla@@@23@@gfx@mozilla@@QBE?AVnsRegion@@H@Z
+??0TextureSource@layers@mozilla@@QAE@XZ
+??4BufferDescriptor@layers@mozilla@@QAEAAV012@ABV012@@Z
+?ScaleInverseRoundOut@nsRegion@@QAEAAV1@MM@Z
+?Deserialize@TextureReadLock@layers@mozilla@@SA?AU?$already_AddRefed@VTextureReadLock@layers@mozilla@@@@ABVReadLockDescriptor@23@PAVISurfaceAllocator@23@@Z
+?Create@CrossProcessSemaphore@mozilla@@SAPAV12@PAX@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@UBand@regiondetails@@@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEPAUBand@regiondetails@@$$QAU12@@Z
+??1?$nsTArray_Impl@PBMUnsTArrayInfallibleAllocator@@@@QAE@XZ
+?RunSubtraction@nsRegion@@AAEXABUnsRectAbsolute@@@Z
+?SubStrip@Band@regiondetails@@QAEXABUStrip@2@@Z
+?RelocateOverlappingRegion@?$nsTArray_RelocateUsingMoveConstructor@UBand@regiondetails@@@@SAXPAX0II@Z
+?RecvPTextureConstructor@PCompositorBridgeParent@layers@mozilla@@MAE?AVIPCResult@ipc@3@PAVPTextureParent@23@ABVSurfaceDescriptor@23@ABVReadLockDescriptor@23@ABW4LayersBackend@23@ABW4TextureFlags@23@ABULayersId@23@AB_KABV?$Maybe@UExternalImageId@wr@mozilla@@@3@@Z
+?SubStrips@Band@regiondetails@@QAEXABU12@@Z
+??$InsertElementAtInternal@UnsTArrayInfallibleAllocator@@AAUBand@regiondetails@@@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEPAUBand@regiondetails@@IAAU12@@Z
+?RemoveElementsAt@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@QAEXII@Z
+?AppendOrExtend@nsRegion@@AAEXABUBand@regiondetails@@@Z
+?AppendOrExtend@nsRegion@@AAEX$$QBUBand@regiondetails@@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@UBand@regiondetails@@@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEPAUBand@regiondetails@@PBU12@I@Z
+??$AssignRange@UBand@regiondetails@@@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@IAEXIIPBUBand@regiondetails@@@Z
+?GetPaddingRectRelativeToSelf@nsIFrame@@QBE?AUnsRect@@XZ
+?GetClippedBounds@nsDisplayItem@@QBE?AUnsRect@@PAVnsDisplayListBuilder@@@Z
+?GetClipWithRespectToASR@nsDisplayItem@@UBE?AV?$Maybe@UnsRect@@@mozilla@@PAVnsDisplayListBuilder@@PBUActiveScrolledRoot@3@@Z
+?GetBuildingRect@nsDisplayList@@QBE?AUnsRect@@XZ
+?ComputeVisibility@nsDisplayItem@@UAE_NPAVnsDisplayListBuilder@@PAVnsRegion@@@Z
+?GetBackgroundPaintFlags@nsDisplayListBuilder@@QAEIXZ
+?RoundedRectIntersectRect@nsLayoutUtils@@SA?AVnsRegion@@ABUnsRect@@QBH0@Z
+?GetLargestRectangle@nsRegion@@QBE?AUnsRect@@ABU2@@Z
+?ComputeVisibility@nsDisplayBoxShadowInner@@UAE_NPAVnsDisplayListBuilder@@PAVnsRegion@@@Z
+?IsInvisibleInRect@nsDisplayBoxShadowOuter@@UBE_NABUnsRect@@@Z
+?GetOpaqueRegion@nsDisplayThemedBackground@@UBE?AVnsRegion@@PAVnsDisplayListBuilder@@PA_N@Z
+?CurrentMatrixDouble@gfxContext@@QBE?AV?$BaseMatrix@N@gfx@mozilla@@XZ
+?SetMatrixDouble@gfxContext@@QAEXABV?$BaseMatrix@N@gfx@mozilla@@@Z
+?Paint@nsDisplaySolidColor@@UAEXPAVnsDisplayListBuilder@@PAVgfxContext@@@Z
+?NSRectToSnappedRect@mozilla@@YA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@1@ABUnsRect@@NABVDrawTarget@31@@Z
+?UserToDevicePixelSnapped@gfx@mozilla@@YA_NAAU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@12@ABVDrawTarget@12@_N2@Z
+?ToDeviceColor@gfx@mozilla@@YA?AUDeviceColor@12@I@Z
+?Flush@DrawTargetSkia@gfx@mozilla@@UAEXXZ
+?FillGlyphs@DrawTargetSkia@gfx@mozilla@@UAEXPAVScaledFont@23@ABUGlyphBuffer@23@ABVPattern@23@ABUDrawOptions@23@@Z
+?drawRect@SkCanvas@@QAEXABUSkRect@@ABVSkPaint@@@Z
+?drawRect@SkDraw@@QBEXABUSkRect@@ABVSkPaint@@PBVSkMatrix@@PBU2@@Z
+?computeTypeMask@SkMatrix@@ABEEXZ
+?mapPoints@SkMatrix@@QBEXQAUSkPoint@@QBU2@H@Z
+?Choose@SkBlitter@@SAPAV1@ABVSkPixmap@@ABVSkMatrix@@ABVSkPaint@@PAVSkArenaAlloc@@_N@Z
+?AntiFillRect@SkScan@@SAXABUSkRect@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?AntiFillRect@SkScan@@CAXABUSkRect@@PBVSkRegion@@PAVSkBlitter@@@Z
+?blitRect@SkARGB32_Blitter@@UAEXHHHH@Z
+?memset32@avx@@YAXQAIIH@Z
+?__invoke@<lambda_1>@?0???$make@VSkARGB32_Opaque_Blitter@@ABVSkPixmap@@ABVSkPaint@@@SkArenaAlloc@@QAEPAVSkARGB32_Opaque_Blitter@@ABVSkPixmap@@ABVSkPaint@@@Z@CA?A?<auto>@@PAD@Z
+?PaintBorder@nsCSSRendering@@SA?AW4ImgDrawResult@image@mozilla@@PAVnsPresContext@@AAVgfxContext@@PAVnsIFrame@@ABUnsRect@@3PAVComputedStyle@4@W4PaintBorderFlags@4@USides@4@@Z
+?PaintBorderWithStyleBorder@nsCSSRendering@@SA?AW4ImgDrawResult@image@mozilla@@PAVnsPresContext@@AAVgfxContext@@PAVnsIFrame@@ABUnsRect@@3ABUnsStyleBorder@@PAVComputedStyle@4@W4PaintBorderFlags@4@USides@4@@Z
+?CreateBorderRendererWithStyleBorder@nsCSSRendering@@SA?AV?$Maybe@VnsCSSBorderRenderer@@@mozilla@@PAVnsPresContext@@PAVDrawTarget@gfx@3@PAVnsIFrame@@ABUnsRect@@3ABUnsStyleBorder@@PAVComputedStyle@3@PA_NUSides@3@@Z
+?NSRectToRect@mozilla@@YA?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@1@ABUnsRect@@N@Z
+?DrawBorders@nsCSSBorderRenderer@@QAEXXZ
+?invert@SkMatrix@@QBE_NPAV1@@Z
+?setStrokeCap@SkPaint@@QAEXW4Cap@1@@Z
+?setStrokeJoin@SkPaint@@QAEXW4Join@1@@Z
+?setStyle@SkPaint@@QAEXW4Style@1@@Z
+?drawLine@SkCanvas@@QAEXMMMMABVSkPaint@@@Z
+?drawPoints@SkCanvas@@QAEXW4PointMode@1@IQBUSkPoint@@ABVSkPaint@@@Z
+?doComputeFastBounds@SkPaint@@QBEABUSkRect@@ABU2@PAU2@W4Style@1@@Z
+?GetInflationRadius@SkStrokeRec@@SAMABVSkPaint@@W4Style@2@@Z
+?drawPoints@SkDraw@@QBEXW4PointMode@SkCanvas@@IQBUSkPoint@@ABVSkPaint@@PAVSkBaseDevice@@@Z
+??0SkAAClipBlitterWrapper@@QAE@XZ
+??0SkPath@@QAE@XZ
+?setBoundsCheck@SkRect@@QAE_NQBUSkPoint@@H@Z
+??0SkPaint@@QAE@ABV0@@Z
+?moveTo@SkPath@@QAEAAV1@MM@Z
+?lineTo@SkPath@@QAEAAV1@MM@Z
+?drawPath@SkDraw@@ABEXABVSkPath@@ABVSkPaint@@PBVSkMatrix@@_N3PAVSkBlitter@@@Z
+?mapVectors@SkMatrix@@QBEXQAUSkPoint@@QBU2@H@Z
+?Identity_pts@SkMatrix@@CAXABV1@QAUSkPoint@@QBU2@H@Z
+?Length@SkPoint@@SAMMM@Z
+?getFillPath@SkPaint@@QBE_NABVSkPath@@PAV2@PBUSkRect@@M@Z
+??0SkStrokeRec@@QAE@ABVSkPaint@@M@Z
+?applyToPath@SkStrokeRec@@QBE_NPAVSkPath@@ABV2@@Z
+?getStyle@SkStrokeRec@@QBE?AW4Style@1@XZ
+?transform@SkPath@@QBEXABVSkMatrix@@PAV1@@Z
+?AntiHairPath@SkScan@@SAXABVSkPath@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+??$hair_path@$0A@@@YAXABVSkPath@@ABVSkRasterClip@@PAVSkBlitter@@P6AXQBUSkPoint@@HPBVSkRegion@@2@Z@Z
+?quickContains@SkRasterClip@@QBE_NABUSkIRect@@@Z
+?setPathRef@Iter@SkPathRef@@QAEXABV2@@Z
+?AntiHairLineRgn@SkScan@@CAXQBUSkPoint@@HPBVSkRegion@@PAVSkBlitter@@@Z
+?IntersectLine@SkLineClipper@@SA_NQBUSkPoint@@ABUSkRect@@QAU2@@Z
+?intersect@SkIRect@@QAE_NABU1@0@Z
+??0Cliperator@SkRegion@@QAE@ABV1@ABUSkIRect@@@Z
+??_GSkAAClipBlitter@@UAEPAXI@Z
+?blitAntiH@SkRectClipBlitter@@UAEXHHQBEQBF@Z
+?blitAntiH@SkARGB32_Blitter@@UAEXHHQBEQBF@Z
+?blit_row_color32@hsw@@YAXPAIPBIHI@Z
+?next@Cliperator@SkRegion@@QAEXXZ
+??1SkAAClipBlitter@@UAE@XZ
+??1SkRegion@@QAE@XZ
+??_GSkNullBlitter@@UAEPAXI@Z
+??_GSkARGB32_Blitter@@UAEPAXI@Z
+??1SkPath@@QAE@XZ
+?rewind@SkPath@@QAEAAV1@XZ
+?nextContour@SkPathMeasure@@QAE_NXZ
+?ToDeviceColor@gfx@mozilla@@YA?AUDeviceColor@12@ABUsRGBColor@12@@Z
+?Save@gfxContext@@QAEXXZ
+?UserToDevicePixelSnapped@gfxContext@@QBE_NAAU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@_N@Z
+?PaintInternal@nsDisplayThemedBackground@@IAEXPAVnsDisplayListBuilder@@PAVgfxContext@@ABUnsRect@@PAU4@@Z
+?Restore@gfxContext@@QAEXXZ
+?PopClip@DrawTargetSkia@gfx@mozilla@@UAEXXZ
+?GetMutex@?$nsExpirationTracker@VSelectorCacheKey@Document@dom@mozilla@@$03@@EAEAAVPlaceholderLock@detail@@XZ
+?MaybeStoreContextPaint@SVGImageContext@mozilla@@SAXAAV?$Maybe@VSVGImageContext@mozilla@@@2@PAVComputedStyle@2@PAVimgIContainer@@@Z
+?GetSamplingFilterForFrame@nsLayoutUtils@@SA?AW4SamplingFilter@gfx@mozilla@@PAVnsIFrame@@@Z
+?DrawSingleImage@nsLayoutUtils@@SA?AW4ImgDrawResult@image@mozilla@@AAVgfxContext@@PAVnsPresContext@@PAVimgIContainer@@W4SamplingFilter@gfx@4@ABUnsRect@@4ABV?$Maybe@VSVGImageContext@mozilla@@@4@IPBUnsPoint@@PBUnsRect@@@Z
+?DrawSingleUnscaledImage@nsLayoutUtils@@SA?AW4ImgDrawResult@image@mozilla@@AAVgfxContext@@PAVnsPresContext@@PAVimgIContainer@@W4SamplingFilter@gfx@4@ABUnsPoint@@PBUnsRect@@ABV?$Maybe@VSVGImageContext@mozilla@@@4@I5@Z
+?GetCurrentTimeAsFloat@SVGSVGElement@dom@mozilla@@QAEMXZ
+?IsAllowedForImageFromURI@SVGContextPaint@mozilla@@SA_NPAVnsIURI@@@Z
+??$?4VScopedMap@DataSourceSurface@gfx@mozilla@@X@?$Maybe@VScopedMap@DataSourceSurface@gfx@mozilla@@@mozilla@@QAEAAV01@$$QAV01@@Z
+?SetCurrentTime@SVGSVGElement@dom@mozilla@@QAEXM@Z
+?FlushAnimations@SVGElement@dom@mozilla@@QAEXXZ
+?SetCurrentTime@SMILTimeContainer@mozilla@@QAEX_J@Z
+??0gfxCallbackDrawable@@QAE@PAVgfxDrawingCallback@@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?MarkIntrinsicISizesDirtyIfDependentOnBSize@nsLayoutUtils@@SAXPAVnsIFrame@@@Z
+?ShouldSynthesizeViewBox@SVGViewportElement@dom@mozilla@@QBE_NXZ
+?ChildrenOnlyTransformChanged@SVGViewportElement@dom@mozilla@@QAEXI@Z
+?NotifyChildrenOfSVGChange@SVGUtils@mozilla@@SAXPAVnsIFrame@@I@Z
+?NotifySVGChanged@SVGGeometryFrame@mozilla@@MAEXI@Z
+?GeometryDependsOnCoordCtx@SVGGeometryElement@dom@mozilla@@QAE_NXZ
+?GetViewBoxTransform@SVGContentUtils@mozilla@@SA?AV?$BaseMatrix@M@gfx@2@MMMMMMABVSVGAnimatedPreserveAspectRatio@2@@Z
+?InvalidateAll@SVGRenderingObserverSet@mozilla@@QAEXXZ
+?InvalidateAllForReflow@SVGRenderingObserverSet@mozilla@@QAEXXZ
+?Init@SourceSurfaceVolatileData@gfx@mozilla@@QAE_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HW4SurfaceFormat@23@@Z
+?Init@VolatileBuffer@mozilla@@QAE_NII@Z
+?Lock@VolatileBuffer@mozilla@@IAE_NPAPAX@Z
+?CreateDrawTargetForData@gfxPlatform@@SA?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@PAEABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@HW4SurfaceFormat@45@_N@Z
+?DrawPixelSnapped@gfxUtils@@SAXPAVgfxContext@@PAVgfxDrawable@@ABU?$SizeTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@ABVImageRegion@image@6@W4SurfaceFormat@56@W4SamplingFilter@56@IN_N@Z
+??0gfxSurfaceDrawable@@QAE@PAVSourceSurface@gfx@mozilla@@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@V?$BaseMatrix@N@23@@Z
+?CurrentOp@gfxContext@@QBE?AW4CompositionOp@gfx@mozilla@@XZ
+?RenderDocument@PresShell@mozilla@@QAE?AW4nsresult@@ABUnsRect@@W4RenderDocumentFlags@2@IPAVgfxContext@@@Z
+?NudgeToIntegers@?$BaseMatrix@N@gfx@mozilla@@QAEAAV123@XZ
+?DecideScrollableLayer@nsHTMLScrollFrame@@UAE_NPAVnsDisplayListBuilder@@PAUnsRect@@1_N@Z
+?CanvasArea@nsCanvasFrame@@QBE?AUnsRect@@XZ
+?GetScrollPortRect@nsHTMLScrollFrame@@UBE?AUnsRect@@XZ
+?BuildDisplayListForNonBlockChildren@nsContainerFrame@@IAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@V?$EnumSet@W4DisplayChildFlag@nsIFrame@@I@mozilla@@@Z
+?ShouldPrerenderTransformedContent@nsDisplayTransform@@SA?AUPrerenderInfo@1@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAUnsRect@@@Z
+?SetPerformanceWarning@EffectCompositor@mozilla@@SAXPBVnsIFrame@@ABVnsCSSPropertyIDSet@@ABUAnimationPerformanceWarning@2@@Z
+?UntransformRect@nsDisplayTransform@@SA_NABUnsRect@@0PBVnsIFrame@@PAU2@@Z
+?Invert@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@QAE_NXZ
+?BuildDisplayList@SVGGeometryFrame@mozilla@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?DisplayOutline@nsIFrame@@QAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?DisplayOutlineUnconditional@nsIFrame@@QAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?GetBounds@nsDisplayItem@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+??0nsDisplayTransform@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsDisplayList@@ABUnsRect@@W4PrerenderDecision@0@@Z
+?GetChildren@nsDisplayTransform@@UBEPAVRetainedDisplayList@@XZ
+?GetTransform@nsDisplayTransform@@QBEABV?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@XZ
+?MatrixTransformRect@nsLayoutUtils@@SA?AUnsRect@@ABU2@ABV?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@M@Z
+??$TransformAndClipBounds@N@?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@QBE?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@12@ABU312@0@Z
+?BuildDisplayListForTopLayer@ViewportFrame@mozilla@@QAEXPAVnsDisplayListBuilder@@PAVnsDisplayList@@PA_N@Z
+?GetTopLayer@Document@dom@mozilla@@QBE?AV?$nsTArray@PAVElement@dom@mozilla@@@@XZ
+??0BasicLayerManager@layers@mozilla@@QAE@W4BasicLayerManagerType@012@@Z
+?BeginTransactionWithTarget@BasicLayerManager@layers@mozilla@@UAE_NPAVgfxContext@@ABV?$nsTString@D@@@Z
+?IsWidgetLayerManager@BasicLayerManager@layers@mozilla@@UAE_NXZ
+??0nsDisplayTransform@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@PAVnsDisplayList@@ABUnsRect@@P6A?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@1M@Z@Z
+?GetLayerState@nsDisplayTransform@@UAE?AW4LayerState@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@@Z
+?MayBeAnimated@nsDisplayTransform@@QBE_NPAVnsDisplayListBuilder@@_N@Z
+?GetLayerState@nsDisplaySVGWrapper@@UAE?AW4LayerState@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@@Z
+?ShouldFlattenAway@nsDisplaySVGWrapper@@UAE_NPAVnsDisplayListBuilder@@@Z
+?CreatePaintedLayerWithHint@LayerManager@layers@mozilla@@UAE?AU?$already_AddRefed@VPaintedLayer@layers@mozilla@@@@W4PaintedLayerCreationHint@123@@Z
+?FillPathWithMask@layers@mozilla@@YAXPAVDrawTarget@gfx@2@PBVPath@42@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@42@ABUDeviceColor@42@ABUDrawOptions@42@PAVSourceSurface@42@PBV?$BaseMatrix@M@42@@Z
+?CreateTextureHostBasic@layers@mozilla@@YA?AU?$already_AddRefed@VTextureHost@layers@mozilla@@@@ABVSurfaceDescriptor@12@PAVISurfaceAllocator@12@W4LayersBackend@12@W4TextureFlags@12@@Z
+?SetRoot@BasicLayerManager@layers@mozilla@@UAEXPAVLayer@23@@Z
+?EndTransaction@BasicLayerManager@layers@mozilla@@UAEXP6AXPAVPaintedLayer@23@PAVgfxContext@@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@2W4DrawRegionClip@23@2PAX@Z4W4EndTransactionFlags@LayerManager@23@@Z
+?EndTransactionInternal@BasicLayerManager@layers@mozilla@@IAE_NP6AXPAVPaintedLayer@23@PAVgfxContext@@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@2W4DrawRegionClip@23@2PAX@Z4W4EndTransactionFlags@LayerManager@23@@Z
+?GetEffectiveOperator@layers@mozilla@@YA?AW4CompositionOp@gfx@2@PAVLayer@12@@Z
+?HasMultipleChildren@ContainerLayer@layers@mozilla@@QAE_NXZ
+?GetEffectiveOpacity@Layer@layers@mozilla@@QAEMXZ
+?ComputeEffectiveTransformsForChildren@ContainerLayer@layers@mozilla@@IAEXABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@@Z
+?JS_GetFunctionDisplayId@@YAPAVJSString@@PAVJSFunction@@@Z
+??1ReadbackProcessor@layers@mozilla@@QAE@XZ
+?GetClipExtents@gfxContext@@QBE?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@W4ClipExtentsSpace@1@@Z
+?PopClip@gfxContext@@QAEXXZ
+?GetRect@DrawTarget@gfx@mozilla@@UBE?AU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@XZ
+?ToOutsideIntRect@layers@mozilla@@YA?AU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@2@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@42@@Z
+?BeginTransaction@BasicLayerManager@layers@mozilla@@UAE_NABV?$nsTString@D@@@Z
+?GetEffectiveTransformForBuffer@Layer@layers@mozilla@@UBEABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@XZ
+?EndEmptyTransaction@BasicLayerManager@layers@mozilla@@UAE_NW4EndTransactionFlags@LayerManager@23@@Z
+?SortChildrenBy3DZOrder@ContainerLayer@layers@mozilla@@QAE?AV?$nsTArray@ULayerPolygon@layers@mozilla@@@@W4SortMode@123@@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@ULayerPolygon@layers@mozilla@@@?$nsTArray_Impl@ULayerPolygon@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAULayerPolygon@layers@mozilla@@$$QAU123@@Z
+?TransposeTransform4D@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@QBE?AU?$Point4DTyped@UUnknownUnits@gfx@mozilla@@M@23@ABU423@@Z
+?IsBackfaceHidden@Layer@layers@mozilla@@QAE_NXZ
+?GetEffectiveMixBlendMode@Layer@layers@mozilla@@QAE?AW4CompositionOp@gfx@3@XZ
+?ComputeVisibility@nsDisplayWrapList@@UAE_NPAVnsDisplayListBuilder@@PAVnsRegion@@@Z
+?GetOpaqueRegion@nsDisplayWrapList@@UBE?AVnsRegion@@PAVnsDisplayListBuilder@@PA_N@Z
+??$?DUUnknownUnits@gfx@mozilla@@@?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@QBE?AV012@ABV012@@Z
+?GetCSSPxToDevPxMatrix@SVGUtils@mozilla@@SA?AV?$BaseMatrix@N@gfx@2@PAVnsIFrame@@@Z
+?GetImageDecodeFlags@nsDisplayListBuilder@@QBEIXZ
+?GetAsSimplePath@SVGGeometryElement@dom@mozilla@@UAEXPAVSimplePath@123@@Z
+??0PathBuilderSkia@gfx@mozilla@@QAE@W4FillRule@12@@Z
+?MoveTo@PathBuilderSkia@gfx@mozilla@@UAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+?LineTo@PathBuilderSkia@gfx@mozilla@@UAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+?BezierTo@PathBuilderSkia@gfx@mozilla@@UAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@00@Z
+?cubicTo@SkPath@@QAEAAV1@MMMMMM@Z
+??0Editor@SkPathRef@@QAE@PAV?$sk_sp@VSkPathRef@@@@HH@Z
+?Close@PathBuilderSkia@gfx@mozilla@@UAEXXZ
+?close@SkPath@@QAEAAV1@XZ
+?Finish@PathBuilderSkia@gfx@mozilla@@UAE?AU?$already_AddRefed@VPath@gfx@mozilla@@@@XZ
+?swap@SkPath@@QAEXAAV1@@Z
+??_GPathBuilderSkia@gfx@mozilla@@UAEPAXI@Z
+?MakeFillPatternFor@SVGUtils@mozilla@@SAXPAVnsIFrame@@PAVgfxContext@@PAVGeneralPattern@gfx@2@AAUimgDrawingParams@image@2@PAVSVGContextPaint@2@@Z
+?GetFillOpacity@SVGEmbeddingContextPaint@mozilla@@UBEMXZ
+?GetAndObservePaintServer@SVGObserverUtils@mozilla@@SAPAVSVGPaintServerFrame@2@PAVnsIFrame@@PQnsStyleSVG@@U?$StyleGenericSVGPaint@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UStyleComputedUrl@2@@2@@Z
+?GetFillPattern@SVGEmbeddingContextPaint@mozilla@@UAE?AU?$already_AddRefed@VgfxPattern@@@@PBVDrawTarget@gfx@2@MABV?$BaseMatrix@N@52@AAUimgDrawingParams@image@2@@Z
+??0gfxPattern@@QAE@ABUDeviceColor@gfx@mozilla@@@Z
+?GetPattern@gfxPattern@@QAEPAVPattern@gfx@mozilla@@PBVDrawTarget@34@PBV?$BaseMatrix@M@34@@Z
+??1gfxPattern@@AAE@XZ
+??_GBlurCommand@gfx@mozilla@@UAEPAXI@Z
+?drawPath@SkCanvas@@QAEXABVSkPath@@ABVSkPaint@@@Z
+?AntiFillPath@SkScan@@SAXABVSkPath@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?AntiFillPath@SkScan@@CAXABVSkPath@@ABVSkRegion@@PAVSkBlitter@@_N@Z
+??0SkScanClipper@@QAE@PAVSkBlitter@@PBVSkRegion@@ABUSkIRect@@_N3@Z
+?getPoint@SkPath@@QBE?AUSkPoint@@H@Z
+?isRect@SkPath@@QBE_NPAUSkRect@@PA_NPAW4Direction@1@@Z
+?sk_fill_path@@YAXABVSkPath@@ABUSkIRect@@PAVSkBlitter@@HHH_N@Z
+?buildEdges@SkEdgeBuilder@@QAEHABVSkPath@@PBUSkIRect@@@Z
+?internalGetConvexity@SkPath@@ABE?AW4Convexity@1@XZ
+?addLine@SkBasicEdgeBuilder@@EAEXQBUSkPoint@@@Z
+?reset@?$SkAutoSTMalloc@$0BB@USkPoint@@@@QAEPAUSkPoint@@I@Z
+?SkChopCubicAtYExtrema@@YAHQBUSkPoint@@QAU1@@Z
+?SkFindUnitQuadRoots@@YAHMMMQAM@Z
+?addCubic@SkBasicEdgeBuilder@@EAEXQBUSkPoint@@@Z
+?setCubicWithoutUpdate@SkCubicEdge@@QAE_NQBUSkPoint@@H_N@Z
+?updateCubic@SkCubicEdge@@QAEHXZ
+?ensureSpace@SkArenaAlloc@@AAEXII@Z
+??_GSkStrikeCache@@UAEPAXI@Z
+?didTranslate@SkCanvas@@MAEXMM@Z
+?NextBlock@SkArenaAlloc@@CAPADPAD@Z
+?blitMask@SkARGB32_Blitter@@UAEXABUSkMask@@ABUSkIRect@@@Z
+?blit_row_s32a_opaque@hsw@@YAXPAIPBIHI@Z
+?SkPreMultiplyColor@@YAII@Z
+?IsInactiveLayerManager@BasicLayerManager@layers@mozilla@@UAE_NXZ
+?GetPaintFlashing@nsPresContext@@QBE_NXZ
+??1?$nsTArray_Impl@ULayerPolygon@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?RecordFrame@FrameRecorder@layers@mozilla@@QAEXXZ
+?StartPendingAnimations@AnimationInfo@layers@mozilla@@QAE_NABVTimeStamp@3@@Z
+?ClearInvalidationStateBits@nsIFrame@@QAEXXZ
+??_GFrameLayerBuilder@mozilla@@UAEPAXI@Z
+??1FrameLayerBuilder@mozilla@@UAE@XZ
+??1nsDisplayItem@@MAE@XZ
+?RemoveDisplayItem@nsIFrame@@QAE_NPAVnsDisplayItemBase@@@Z
+?DeleteAll@RetainedDisplayList@@UAEXPAVnsDisplayListBuilder@@@Z
+??_GnsDisplaySolidColor@@UAEPAXI@Z
+??_GnsDisplayAsyncZoom@@UAEPAXI@Z
+??1nsDisplayWrapList@@UAE@XZ
+??1RetainedDisplayList@@UAE@XZ
+??_GBasicLayerManager@layers@mozilla@@MAEPAXI@Z
+??1BasicLayerManager@layers@mozilla@@MAE@XZ
+?RemoveAllChildren@ContainerLayer@layers@mozilla@@IAEXXZ
+??_GClientTiledPaintedLayer@layers@mozilla@@MAEPAXI@Z
+??1CompositableClient@layers@mozilla@@MAE@XZ
+??1ContainerLayer@layers@mozilla@@UAE@XZ
+??1AnimationInfo@layers@mozilla@@QAE@XZ
+??1?$nsTArray_Impl@VAnimation@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1LayerManager@layers@mozilla@@MAE@XZ
+??_GDrawTargetSkia@gfx@mozilla@@UAEPAXI@Z
+??1DrawTargetSkia@gfx@mozilla@@UAE@XZ
+?internal_dispose@SkRefCntBase@@EBEXXZ
+?VerticalIntersect@LineCubicIntersections@@SAHABUSkDCubic@@NQAN@Z
+??1SkBitmap@@QAE@XZ
+?onAccessTopLayerPixels@SkCanvas@@MAE_NPAVSkPixmap@@@Z
+??_GSkBitmapDevice@@UAEPAXI@Z
+??1SkBitmapDevice@@UAE@XZ
+??1SkDeque@@QAE@XZ
+??_GSkPixelRef@@UAEPAXI@Z
+?callGenIDChangeListeners@SkPixelRef@@AAEXXZ
+??1SkSemaphore@@QAE@XZ
+?Insert@SurfaceCache@image@mozilla@@SA?AW4InsertOutcome@23@V?$NotNull@PAVISurfaceProvider@image@mozilla@@@3@@Z
+??0DrawableFrameRef@image@mozilla@@QAE@PAVimgFrame@12@@Z
+?Hash@SVGEmbeddingContextPaint@mozilla@@UBEIXZ
+?CurrentAntialiasMode@gfxContext@@QBE?AW4AntialiasMode@gfx@mozilla@@XZ
+?GetDataSurface@DataSourceSurface@gfx@mozilla@@UAE?AU?$already_AddRefed@VDataSourceSurface@gfx@mozilla@@@@XZ
+?GetFormat@SourceSurfaceMappedData@gfx@mozilla@@UBE?AW4SurfaceFormat@23@XZ
+?GetDelta@ScrollPositionUpdate@mozilla@@QBE?AU?$PointTyped@UCSSPixel@mozilla@@M@gfx@2@XZ
+?MakeFromRaster@SkImage@@SA?AV?$sk_sp@VSkImage@@@@ABVSkPixmap@@P6AXPBXPAX@Z2@Z
+?computeByteSize@SkImageInfo@@QBEII@Z
+?MakeWithProc@SkData@@SA?AV?$sk_sp@VSkData@@@@PBXIP6AX0PAX@Z1@Z
+?getROPixels@SkImage_Raster@@UBE_NPAVSkBitmap@@W4CachingHint@SkImage@@@Z
+?MakeRasterData@SkImage@@SA?AV?$sk_sp@VSkImage@@@@ABUSkImageInfo@@V?$sk_sp@VSkData@@@@I@Z
+?drawImageRect@SkCanvas@@QAEXPBVSkImage@@ABUSkRect@@1PBVSkPaint@@W4SrcRectConstraint@1@@Z
+??4SkPaint@@QAEAAV0@ABV0@@Z
+?setPathEffect@SkPaint@@QAEXV?$sk_sp@VSkPathEffect@@@@@Z
+?drawImageRect@SkBaseDevice@@MAEXPBVSkImage@@PBUSkRect@@ABU3@ABVSkPaint@@W4SrcRectConstraint@SkCanvas@@@Z
+?setRectToRect@SkMatrix@@QAE_NABUSkRect@@0W4ScaleToFit@1@@Z
+?extractSubset@SkBitmap@@QBE_NPAV1@ABUSkIRect@@@Z
+?reset@SkPixmap@@QAEXXZ
+?drawBitmap@SkDraw@@QBEXABVSkBitmap@@ABVSkMatrix@@PBUSkRect@@ABVSkPaint@@@Z
+?setConcat@SkMatrix@@QAEAAV1@ABV1@0@Z
+?SkTreatAsSprite@@YA_NABVSkMatrix@@ABUSkISize@@ABVSkPaint@@@Z
+?peekPixels@SkBitmap@@QBE_NPAVSkPixmap@@@Z
+?ChooseSprite@SkBlitter@@SAPAV1@ABVSkPixmap@@ABVSkPaint@@0HHPAVSkArenaAlloc@@@Z
+?Required@SkColorSpaceXformSteps@@SA_NPAVSkColorSpace@@0@Z
+?hash_fn@sse42@@YAIPBXII@Z
+?ChooseL32@SkSpriteBlitter@@SAPAV1@ABVSkPixmap@@ABVSkPaint@@PAVSkArenaAlloc@@@Z
+?allocObjectWithFooter@SkArenaAlloc@@AAEPADII@Z
+?installFooter@SkArenaAlloc@@AAEXP6APADPAD@ZI@Z
+??0SkSpriteBlitter@@QAE@ABVSkPixmap@@@Z
+?setup@SkSpriteBlitter@@UAEXABVSkPixmap@@HHABVSkPaint@@@Z
+?FillIRect@SkScan@@SAXABUSkIRect@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?Add@SkResourceCache@@SAXPAURec@1@PAX@Z
+?writePad32@SkBinaryWriteBuffer@@UAEXPBXI@Z
+??1SkData@@AAE@XZ
+?CreateMediumHighRunnable@mozilla@@YA?AU?$already_AddRefed@VnsIRunnable@@@@$$QAU2@@Z
+??0gfxPatternDrawable@@QAE@PAVgfxPattern@@U?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?PushGroupForBlendBack@gfxContext@@QAEXW4gfxContentType@@MPAVSourceSurface@gfx@mozilla@@ABV?$BaseMatrix@M@45@@Z
+?PushLayer@DrawTargetSkia@gfx@mozilla@@UAEX_NMPAVSourceSurface@23@ABV?$BaseMatrix@M@23@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@0@Z
+?PushLayerWithBlend@DrawTargetSkia@gfx@mozilla@@UAEX_NMPAVSourceSurface@23@ABV?$BaseMatrix@M@23@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@0W4CompositionOp@23@@Z
+?saveLayer@SkCanvas@@QAEHABUSaveLayerRec@1@@Z
+?privateResize@SkBaseDevice@@AAEXHH@Z
+?Find@SkBitmapCache@@SA_NABUSkBitmapCacheDesc@@PAVSkBitmap@@@Z
+?SkColorTypeIsAlwaysOpaque@@YA_NW4SkColorType@@@Z
+?tryAllocPixelsFlags@SkBitmap@@QAE_NABUSkImageInfo@@I@Z
+?setOrigin@SkBaseDevice@@AAEXABVSkMatrix@@HH@Z
+?postTranslate@SkMatrix@@QAEAAV1@MM@Z
+?invertNonIdentity@SkMatrix@@ABE_NPAV1@@Z
+?blitV@SkRectClipBlitter@@UAEXHHHE@Z
+?blitV@SkARGB32_Blitter@@UAEXHHHE@Z
+?setImmutable@SkBitmapDevice@@MAEXXZ
+?concat@SkCanvas@@QAEXABVSkMatrix@@@Z
+?drawSprite@SkDraw@@QBEXABVSkBitmap@@HHABVSkPaint@@@Z
+??$filterInput@$0A@@SkImageFilter_Base@@ABE?AV?$FilterResult@$0A@@skif@@HABVContext@2@@Z
+?Paint@nsDisplayBoxShadowOuter@@UAEXPAVnsDisplayListBuilder@@PAVgfxContext@@@Z
+?VisualBorderRectRelativeToSelf@nsIFrame@@UBE?AUnsRect@@XZ
+?PaintBoxShadowOuter@nsCSSRendering@@SAXPAVnsPresContext@@AAVgfxContext@@PAVnsIFrame@@ABUnsRect@@3M@Z
+?AppendRectToPath@gfx@mozilla@@YAXPAVPathBuilder@12@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@12@_N@Z
+?Clip@gfxContext@@QAEXPAVPath@gfx@mozilla@@@Z
+?clipPath@SkCanvas@@QAEXABVSkPath@@W4SkClipOp@@_N@Z
+?isOval@SkPath@@QBE_NPAUSkRect@@@Z
+?isRRect@SkPath@@QBE_NPAVSkRRect@@@Z
+?onClipPath@SkCanvas@@MAEXABVSkPath@@W4SkClipOp@@W4ClipEdgeStyle@1@@Z
+?op@SkRasterClip@@QAE_NABVSkPath@@ABVSkMatrix@@ABUSkIRect@@W4Op@SkRegion@@_N@Z
+??4SkPath@@QAEAAV0@ABV0@@Z
+?setRegion@SkAAClip@@QAE_NABVSkRegion@@@Z
+skcms_TransferFunction_invert
+?setPath@SkAAClip@@QAE_NABVSkPath@@PBVSkRegion@@_N@Z
+?allocBlitMemory@SkBlitter@@UAEPAXI@Z
+?addPolyLine@SkBasicEdgeBuilder@@EAE?AW4Combine@SkEdgeBuilder@@QBUSkPoint@@PADPAPAD@Z
+?setRect@SkRegion@@QAE_NABUSkIRect@@@Z
+?opPath@SkConservativeClip@@QAEXABVSkPath@@ABVSkMatrix@@ABUSkIRect@@W4Op@SkRegion@@_N@Z
+?opIRect@SkConservativeClip@@QAEXABUSkIRect@@W4Op@SkRegion@@@Z
+?Clip@gfxContext@@QAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@@Z
+?op@SkAAClip@@QAE_NABUSkRect@@W4Op@SkRegion@@_N@Z
+?addRect@SkPath@@QAEAAV1@ABUSkRect@@W4Direction@1@I@Z
+?AAAFillPath@SkScan@@CAXABVSkPath@@PAVSkBlitter@@ABUSkIRect@@2_N@Z
+?setLine@SkAnalyticEdge@@QAE_NABUSkPoint@@0@Z
+?op@SkAAClip@@QAE_NABV1@0W4Op@SkRegion@@@Z
+??0SkAAClipBlitterWrapper@@QAE@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?allocBlitMemory@SkRectClipBlitter@@UAEPAXI@Z
+?blitAntiH@SkAAClipBlitter@@UAEXHHQBEQBF@Z
+??_GPathSkia@gfx@mozilla@@UAEPAXI@Z
+??1Path@gfx@mozilla@@UAE@XZ
+?SetColor@gfxContext@@QAEXABUsRGBColor@gfx@mozilla@@@Z
+?Fill@gfxContext@@QAEXXZ
+?Fill@gfxContext@@QAEXABVPattern@gfx@mozilla@@@Z
+??0SurfaceFromElementResult@mozilla@@QAE@XZ
+?PrepareImage@nsImageRenderer@mozilla@@QAE_NXZ
+?HasLowerCompositeOrderThan@Animation@dom@mozilla@@QBE_NABV123@@Z
+?ComputeSizeForDrawing@nsLayoutUtils@@SAXPAVimgIContainer@@AAU?$IntSizeTyped@UCSSPixel@mozilla@@@gfx@mozilla@@AAUAspectRatio@5@AA_N3@Z
+?ComputeConstrainedSize@nsImageRenderer@mozilla@@SA?AUnsSize@@ABU3@ABUAspectRatio@2@W4FitType@12@@Z
+??0nsDisplayTableItemGeometry@@QAE@PAVnsDisplayTableItem@@PAVnsDisplayListBuilder@@ABUnsPoint@@@Z
+??0nsImageRenderer@mozilla@@QAE@PAVnsIFrame@@PBU?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@1@I@Z
+??0gfxPattern@@QAE@NNNN@Z
+?SetMatrix@gfxPattern@@QAEXABV?$BaseMatrix@N@gfx@mozilla@@@Z
+?GetOrCreateGradientStops@gfxGradientCache@gfx@mozilla@@SA?AU?$already_AddRefed@VGradientStops@gfx@mozilla@@@@PBVDrawTarget@23@AAV?$nsTArray@UGradientStop@gfx@mozilla@@@@W4ExtendMode@23@@Z
+?SizeOfIncludingThis@gfxGlyphExtents@@QBEIP6AIPBX@Z@Z
+??$_Resize@V<lambda_1>@?0??resize@?$vector@IV?$allocator@I@std@@@std@@QAEXI@Z@@?$vector@IV?$allocator@I@std@@@std@@AAEXIV<lambda_1>@?0??resize@01@QAEXI@Z@@Z
+?SetColorStops@gfxPattern@@QAEXPAVGradientStops@gfx@mozilla@@@Z
+?ReasonableSurfaceSize@Factory@gfx@mozilla@@SA_NABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@@Z
+?UserToDevicePixelSnapped@gfxContext@@QBE_NAAU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@_N@Z
+?TransformRectToRect@gfxUtils@@SA?AV?$BaseMatrix@N@gfx@mozilla@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@34@ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@34@11@Z
+?SetPattern@gfxContext@@QAEXPAVgfxPattern@@@Z
+?MakeLinear@SkGradientShader@@SA?AV?$sk_sp@VSkShader@@@@QBUSkPoint@@QBIQBMHW4SkTileMode@@IPBVSkMatrix@@@Z
+?scale@SkPoint@@QBEXMPAU1@@Z
+?setSinCos@SkMatrix@@QAEAAV1@MMMM@Z
+?postScale@SkMatrix@@QAEAAV1@MM@Z
+?postConcat@SkMatrix@@QAEAAV1@ABV1@@Z
+?CreateProc@SkEmptyShader@@CA?AV?$sk_sp@VSkFlattenable@@@@AAVSkReadBuffer@@@Z
+?MakeSRGB@SkColorSpace@@SA?AV?$sk_sp@VSkColorSpace@@@@XZ
+?setShader@SkPaint@@QAEXV?$sk_sp@VSkShader@@@@@Z
+?makeContext@SkShaderBase@@QBEPAVContext@1@ABUContextRec@1@PAVSkArenaAlloc@@@Z
+?RegisterFlattenables@SkGradientShader@@SAXXZ
+??0Context@SkShaderBase@@QAE@ABV1@ABUContextRec@1@@Z
+?getFlags@GradientShaderBase4fContext@SkGradientShaderBase@@UBEIXZ
+??0SkARGB32_Shader_Blitter@@QAE@ABVSkPixmap@@ABVSkPaint@@PAVContext@SkShaderBase@@@Z
+??0SkShaderBlitter@@QAE@ABVSkPixmap@@ABVSkPaint@@PAVContext@SkShaderBase@@@Z
+?Make@SkXfermode@@SA?AV?$sk_sp@VSkXfermode@@@@W4SkBlendMode@@@Z
+?blitH@SkARGB32_Shader_Blitter@@UAEXHHH@Z
+?RotTrans_xy@SkMatrix@@CAXABV1@MMPAUSkPoint@@@Z
+??1SkShaderBlitter@@UAE@XZ
+?recoverClip@SkBasicEdgeBuilder@@EBE?AUSkRect@@ABUSkIRect@@@Z
+?ClipLine@SkLineClipper@@SAHQBUSkPoint@@ABUSkRect@@QAU2@_N@Z
+?blitMask@SkRectClipBlitter@@UAEXABUSkMask@@ABUSkIRect@@@Z
+?SkFindCubicCusp@@YAMQBUSkPoint@@@Z
+?verticalIntersect@SkDCubic@@QBEHNQAN@Z
+?Coefficients@SkDCubic@@SAXPBNPAN111@Z
+?RootsValidT@SkDCubic@@SAHNNNNQAN@Z
+?ptAtT@SkDCubic@@QBE?AUSkDPoint@@N@Z
+?chopAt@SkDCubic@@QBE?AUSkDCubicPair@@N@Z
+??_GLinearGradientPattern@gfx@mozilla@@UAEPAXI@Z
+?AppendRoundedRectToPath@gfx@mozilla@@YAXPAVPathBuilder@12@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@12@ABURectCornerRadii@12@_N@Z
+?BlurRectangle@gfxAlphaBoxBlur@@SAXPAVgfxContext@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@PBURectCornerRadii@45@ABU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@45@ABUsRGBColor@45@11@Z
+?Init@gfxAlphaBoxBlur@@QAE?AU?$already_AddRefed@VgfxContext@@@@PAVgfxContext@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@56@2PBU456@3_N@Z
+?Init@AlphaBoxBlur@gfx@mozilla@@QAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@23@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@1PBU423@2@Z
+?BufferSizeFromStrideAndHeight@gfx@mozilla@@YAIHHH@Z
+?SkCreateRasterPipelineBlitter@@YAPAVSkBlitter@@ABVSkPixmap@@ABVSkPaint@@ABVSkMatrix@@PAVSkArenaAlloc@@@Z
+?sk_srgb_singleton@@YAPAVSkColorSpace@@XZ
+??0SkColorSpaceXformSteps@@QAE@PAVSkColorSpace@@W4SkAlphaType@@01@Z
+?apply@SkColorSpaceXformSteps@@QBEXQAM@Z
+??0SkArenaAlloc@@QAE@PADII@Z
+?append_constant_color@SkRasterPipeline@@QAEXPAVSkArenaAlloc@@QBM@Z
+?extend@SkRasterPipeline@@QAEXABV1@@Z
+?run@SkRasterPipeline@@QBEXIIII@Z
+?SkCreateRasterPipelineBlitter@@YAPAVSkBlitter@@ABVSkPixmap@@ABVSkPaint@@ABVSkRasterPipeline@@_NPAVSkArenaAlloc@@@Z
+?append_store@SkRasterPipeline@@QAEXW4SkColorType@@PBUSkRasterPipeline_MemoryCtx@@@Z
+??1SkArenaAlloc@@QAE@XZ
+?next@Iter@SkPath@@QAE?AW4Verb@2@QAUSkPoint@@@Z
+??0Iter@SkPathRef@@QAE@XZ
+?blitRect@SkBlitter@@UAEXHHHH@Z
+?blitRect@SkRasterPipelineBlitter@@UAEXHHHH@Z
+?computeImageSize@SkMask@@QBEIXZ
+?append_load_dst@SkRasterPipeline@@QAEXW4SkColorType@@PBUSkRasterPipeline_MemoryCtx@@@Z
+?SkBlendMode_AppendStages@@YAXW4SkBlendMode@@PAVSkRasterPipeline@@@Z
+?Blur@AlphaBoxBlur@gfx@mozilla@@QBEXPAE@Z
+?BoxBlur_SSE2@AlphaBoxBlur@gfx@mozilla@@ABEXPAEHHHHPAII@Z
+?RoundUpToMultipleOf4@AlphaBoxBlur@gfx@mozilla@@CA?AV?$CheckedInt@H@3@H@Z
+?SetCurrentPoint@PathSink@gfx@mozilla@@UAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@@Z
+??0SourceSurfaceSkia@gfx@mozilla@@QAE@XZ
+?onPeekPixels@SkCanvas@@MAE_NPAVSkPixmap@@@Z
+?peekPixels@SkBaseDevice@@QAE_NPAVSkPixmap@@@Z
+?onPeekPixels@SkBitmapDevice@@MAE_NPAVSkPixmap@@@Z
+?InitFromImage@SourceSurfaceSkia@gfx@mozilla@@QAE_NABV?$sk_sp@VSkImage@@@@W4SurfaceFormat@23@PAVDrawTargetSkia@23@@Z
+?peekPixels@SkImage@@QBE_NPAVSkPixmap@@@Z
+?GetSize@SourceSurfaceRawData@gfx@mozilla@@UBE?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@XZ
+??$TransformAndClipBounds@M@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@QBE?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@12@ABU312@0@Z
+?setTranslate@SkMatrix@@QAEAAV1@MM@Z
+?GetBackendType@PathBuilderCapture@gfx@mozilla@@UBE?AW4BackendType@23@XZ
+?GetImage@SourceSurfaceSkia@gfx@mozilla@@QAE?AV?$sk_sp@VSkImage@@@@PAV?$Maybe@V?$BaseAutoLock@AAVMutex@mozilla@@@detail@mozilla@@@3@@Z
+?GetRect@SourceSurface@gfx@mozilla@@UBE?AU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@XZ
+?drawImage@SkCanvas@@QAEXPBVSkImage@@MMPBVSkPaint@@@Z
+?blitMaskRegion@SkBlitter@@QAEXABUSkMask@@ABVSkRegion@@@Z
+??_GSourceSurfaceSkia@gfx@mozilla@@UAEPAXI@Z
+??1SourceSurfaceSkia@gfx@mozilla@@UAE@XZ
+?quickContains@SkAAClip@@QBE_NHHHH@Z
+?SkMakeBitmapShaderForPaint@@YA?AV?$sk_sp@VSkShader@@@@ABVSkPaint@@ABVSkBitmap@@W4SkTileMode@@2PBVSkMatrix@@W4SkCopyPixelsMode@@@Z
+?SkMakeBitmapShader@@YA?AV?$sk_sp@VSkShader@@@@ABVSkBitmap@@W4SkTileMode@@1PBVSkMatrix@@W4SkCopyPixelsMode@@@Z
+?SkMakeImageFromRasterBitmap@@YA?AV?$sk_sp@VSkImage@@@@ABVSkBitmap@@W4SkCopyPixelsMode@@@Z
+?isImmutable@SkBitmap@@QBE_NXZ
+??0SkBitmap@@QAE@ABV0@@Z
+?Make@SkImageShader@@SA?AV?$sk_sp@VSkShader@@@@V?$sk_sp@VSkImage@@@@W4SkTileMode@@1PBVSkMatrix@@_N@Z
+??0SkShaderBase@@IAE@PBVSkMatrix@@@Z
+?computeTotalInverse@SkShaderBase@@QBE_NABVSkMatrix@@PBV2@PAV2@@Z
+??0SkBitmapProcInfo@@QAE@PBVSkImage_Base@@W4SkTileMode@@1@Z
+?init@SkBitmapProcInfo@@QAE_NABVSkMatrix@@ABVSkPaint@@@Z
+?RequestBitmap@SkBitmapController@@SAPAVState@1@PBVSkImage_Base@@ABVSkMatrix@@W4SkFilterQuality@@PAVSkArenaAlloc@@@Z
+?toSkColor@?$SkRGBA4f@$02@@QBEIXZ
+?chooseProcs@SkBitmapProcState@@AAE_NXZ
+?chooseMatrixProc@SkBitmapProcState@@AAEP6AXABU1@QAIHHH@Z_N@Z
+?Trans_xy@SkMatrix@@CAXABV1@MMPAUSkPoint@@@Z
+?blitRect@SkAAClipBlitter@@UAEXHHHH@Z
+?getTypeName@SkShader_Blend@@EBEPBDXZ
+??1SkBitmapProcInfo@@QAE@XZ
+?makeWithLocalMatrix@SkShader@@QBE?AV?$sk_sp@VSkShader@@@@ABVSkMatrix@@@Z
+?makeShader@SkImage@@QBE?AV?$sk_sp@VSkShader@@@@W4SkTileMode@@0PBVSkMatrix@@@Z
+?ScaleTrans_xy@SkMatrix@@CAXABV1@MMPAUSkPoint@@@Z
+?preTranslate@SkMatrix@@QAEAAV1@MM@Z
+?FillRoundedRect@DrawTarget@gfx@mozilla@@UAEXABURoundedRect@23@ABVPattern@23@ABUDrawOptions@23@@Z
+?addLine@SkAnalyticEdgeBuilder@@EAEXQBUSkPoint@@@Z
+?addCubic@SkAnalyticEdgeBuilder@@EAEXQBUSkPoint@@@Z
+?setCubic@SkAnalyticCubicEdge@@QAE_NQBUSkPoint@@_N@Z
+?updateCubic@SkAnalyticCubicEdge@@QAE_N_N@Z
+?blitMask@SkAAClipBlitter@@UAEXABUSkMask@@ABUSkIRect@@@Z
+?FillXRect@SkScan@@SAXABUSkIRect@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?set@SkString@@QAEXQBDI@Z
+?blitAntiRect@SkBlitter@@UAEXHHHHEE@Z
+?horizontalIntersect@SkDCubic@@QBEHNQAN@Z
+?HorizontalIntersect@LineCubicIntersections@@SAHABUSkDCubic@@NQAN@Z
+?PaintText@nsTextFrame@@QAEXABUPaintTextParams@1@HHABUnsPoint@@_NM@Z
+?GetSnappedBaselineY@nsLayoutUtils@@SANPAVnsIFrame@@PAVgfxContext@@HH@Z
+?DeviceToUser@gfxContext@@QBE?AU?$PointTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@ABU234@@Z
+?GetCaretColorAt@nsTextFrame@@UAEIH@Z
+??$GetVisitedDependentColor@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UnsStyleText@@@ComputedStyle@mozilla@@QBEIPQnsStyleText@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@1@@Z
+?DarkenColorIfNeeded@nsLayoutUtils@@SAIPAVnsIFrame@@I@Z
+?GetTextDrawer@gfxContext@@QAEPAVTextDrawTarget@layout@mozilla@@XZ
+?Draw@gfxTextRun@@QBEXURange@1@U?$PointTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@ABUDrawParams@1@@Z
+?GetDeviceColor@gfxContext@@QAE_NAAUDeviceColor@gfx@mozilla@@@Z
+?TryGetColorGlyphs@gfxFontEntry@@QAE_NXZ
+??1gfxTextRun@@MAE@XZ
+?Draw@gfxFont@@QAEXPBVgfxTextRun@@IIPAU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@ABUTextRunDrawParams@@W4ShapedTextFlags@45@@Z
+??0ScaledFontDWrite@gfx@mozilla@@QAE@PAUIDWriteFontFace@@ABV?$RefPtr@VUnscaledFont@gfx@mozilla@@@@M_NW4DWRITE_RENDERING_MODE@@PAUIDWriteRenderingParams@@MMMPBUgfxFontStyle@@@Z
+??0ScaledFontBase@gfx@mozilla@@QAE@ABV?$RefPtr@VUnscaledFont@gfx@mozilla@@@@M@Z
+?InitializeScaledFont@gfxFont@@QAEXXZ
+?AllowSubpixelAA@gfxDWriteFont@@UAE_NXZ
+?DrawGlyphs@DrawTargetSkia@gfx@mozilla@@AAEXPAVScaledFont@23@ABUGlyphBuffer@23@ABVPattern@23@PBUStrokeOptions@23@ABUDrawOptions@23@@Z
+?Unregister@RadialGradientEffectD2D1@gfx@mozilla@@SAXPAUID2D1Factory1@@@Z
+?SkCreateTypefaceFromDWriteFont@@YAPAVSkTypeface@@PAUIDWriteFactory@@PAUIDWriteFontFace@@VSkFontStyle@@HMMM@Z
+??0DWriteFontTypeface@@AAE@ABVSkFontStyle@@PAUIDWriteFactory@@PAUIDWriteFontFace@@PAUIDWriteFont@@PAUIDWriteFontFamily@@PAUIDWriteFontFileLoader@@PAUIDWriteFontCollectionLoader@@@Z
+??0SkTypeface@@IAE@ABVSkFontStyle@@_N@Z
+?GetDefaultAAMode@ScaledFontDWrite@gfx@mozilla@@UAE?AW4AntialiasMode@23@XZ
+?allocRunPos@SkTextBlobBuilder@@QAEABURunBuffer@1@ABVSkFont@@HPBUSkRect@@@Z
+?make@SkTextBlobBuilder@@QAE?AV?$sk_sp@VSkTextBlob@@@@XZ
+?GetFontBounds@SkFontPriv@@SA?AUSkRect@@ABVSkFont@@@Z
+?onComputeBounds@SkTypeface@@MBE_NPAUSkRect@@@Z
+??0SkFont@@QAE@XZ
+??0SkSurfaceProps@@QAE@W4InitType@0@@Z
+?MakeRecAndEffects@SkScalerContext@@SAXABVSkFont@@ABVSkPaint@@ABVSkSurfaceProps@@W4SkScalerContextFlags@@ABVSkMatrix@@PAUSkScalerContextRec@@PAUSkScalerContextEffects@@@Z
+?AutoDescriptorGivenRecAndEffects@SkScalerContext@@SAPAVSkDescriptor@@ABUSkScalerContextRec@@ABUSkScalerContextEffects@@PAVSkAutoDescriptor@@@Z
+?createScalerContext@SkTypeface@@QBE?AV?$unique_ptr@VSkScalerContext@@U?$default_delete@VSkScalerContext@@@std@@@std@@ABUSkScalerContextEffects@@PBVSkDescriptor@@_N@Z
+?onCreateScalerContext@DWriteFontTypeface@@MBEPAVSkScalerContext@@ABUSkScalerContextEffects@@PBVSkDescriptor@@@Z
+??0SkScalerContext_DW@@QAE@V?$sk_sp@VDWriteFontTypeface@@@@ABUSkScalerContextEffects@@PBVSkDescriptor@@@Z
+??0SkScalerContext@@QAE@V?$sk_sp@VSkTypeface@@@@ABUSkScalerContextEffects@@PBVSkDescriptor@@@Z
+?findEntry@SkDescriptor@@QBEPBXIPAI@Z
+?onFilterRec@DWriteFontTypeface@@MBEXPAUSkScalerContextRec@@@Z
+?Fetch@SkColorSpaceLuminance@@SAABV1@M@Z
+?SkTMaskGamma_build_correcting_lut@@YAXQAEIMABVSkColorSpaceLuminance@@M1M@Z
+?computeMatrices@SkScalerContextRec@@QAE_NW4PreMatrixScale@1@PAUSkPoint@@PAVSkMatrix@@222@Z
+?getSingleMatrix@SkScalerContextRec@@QBEXPAVSkMatrix@@@Z
+?setScale@SkMatrix@@QAEAAV1@MM@Z
+?sk_fmmap@@YAPAXPAU_iobuf@@PAI@Z
+??1SkScalerContext@@UAE@XZ
+??1SkAutoDescriptor@@QAE@XZ
+?join@SkRect@@QAEXABU1@@Z
+?drawTextBlob@SkCanvas@@QAEXPBVSkTextBlob@@MMABVSkPaint@@@Z
+?drawTextBlob@SkGlyphRunBuilder@@QAEXABVSkPaint@@ABVSkTextBlob@@USkPoint@@PAVSkBaseDevice@@@Z
+?drawForBitmapDevice@SkGlyphRunListPainter@@QAEXABVSkGlyphRunList@@ABVSkMatrix@@PBVBitmapDevicePainter@1@@Z
+?ShouldDrawAsPath@SkStrikeSpec@@SA_NABVSkPaint@@ABVSkFont@@ABVSkMatrix@@@Z
+?MakeMask@SkStrikeSpec@@SA?AV1@ABVSkFont@@ABVSkPaint@@ABVSkSurfaceProps@@W4SkScalerContextFlags@@ABVSkMatrix@@@Z
+?CreateDescriptorAndEffectsUsingPaint@SkScalerContext@@SAPAVSkDescriptor@@ABVSkFont@@ABVSkPaint@@ABVSkSurfaceProps@@W4SkScalerContextFlags@@ABVSkMatrix@@PAVSkAutoDescriptor@@PAUSkScalerContextEffects@@@Z
+?findOrCreateStrike@SkStrikeCache@@AAEPAVNode@1@ABVSkDescriptor@@ABUSkScalerContextEffects@@ABVSkTypeface@@@Z
+??0SkAutoDescriptor@@QAE@ABVSkDescriptor@@@Z
+?computeAxisAlignmentForHText@SkScalerContext@@QBE?AW4SkAxisAlignment@@XZ
+??0SkGlyphPositionRoundingSpec@@QAE@_NW4SkAxisAlignment@@@Z
+?startDevice@SkDrawableGlyphBuffer@@QAEXABV?$SkZip@$$CBG$$CBUSkPoint@@@@USkPoint@@ABVSkMatrix@@ABUSkGlyphPositionRoundingSpec@@@Z
+?prepareForDrawingMasksCPU@SkStrike@@QAEXPAVSkDrawableGlyphBuffer@@@Z
+?write@SkDynamicMemoryWStream@@UAE_NPBXI@Z
+?getMetrics@SkScalerContext@@QAEXPAVSkGlyph@@@Z
+?setImage@SkGlyph@@QAE_NPAVSkArenaAlloc@@PAVSkScalerContext@@@Z
+?getImage@SkScalerContext@@QAEXABVSkGlyph@@@Z
+?rowBytes@SkGlyph@@QBEIXZ
+?imageSize@SkGlyph@@QBEIXZ
+?paintMasks@SkDraw@@UBEXPAVSkDrawableGlyphBuffer@@ABVSkPaint@@@Z
+?mask@SkGlyph@@QBE?AUSkMask@@USkPoint@@@Z
+??0SkA8_Coverage_Blitter@@QAE@ABVSkPixmap@@ABVSkPaint@@@Z
+??1ExclusiveStrikePtr@SkStrikeCache@@QAE@XZ
+?Arc@PathBuilderSkia@gfx@mozilla@@UAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@MMM_N@Z
+?NS_NewSVGRadialGradientFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?MakeStrokePatternFor@SVGUtils@mozilla@@SAXPAVnsIFrame@@PAVgfxContext@@PAVGeneralPattern@gfx@2@AAUimgDrawingParams@image@2@PAVSVGContextPaint@2@@Z
+?GetStrokePattern@SVGEmbeddingContextPaint@mozilla@@UAE?AU?$already_AddRefed@VgfxPattern@@@@PBVDrawTarget@gfx@2@MABV?$BaseMatrix@N@52@AAUimgDrawingParams@image@2@@Z
+?GetOpacity@SVGUtils@mozilla@@SAMABU?$StyleGenericSVGOpacity@M@2@PAVSVGContextPaint@2@@Z
+?reset@SkPath@@QAEAAV1@XZ
+??0Iter@SkPath@@QAE@ABV1@_N@Z
+?setNormalize@SkPoint@@QAE_NMM@Z
+?getLastPt@SkPath@@QBE_NPAUSkPoint@@@Z
+?setStrokeStyle@SkStrokeRec@@QAEXM_N@Z
+?reversePathTo@SkPath@@AAEAAV1@ABV1@@Z
+?FillPath@SkScan@@SAXABVSkPath@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?FillPath@SkScan@@SAXABVSkPath@@ABVSkRegion@@PAVSkBlitter@@@Z
+??0SkRegion@@QAE@XZ
+?FrameRect@SkScan@@SAXABUSkRect@@ABUSkPoint@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?FillRect@SkScan@@SAXABUSkRect@@ABVSkRasterClip@@PAVSkBlitter@@@Z
+?computePerspectiveTypeMask@SkMatrix@@ABEEXZ
+?SkBlendMode_SupportsCoverageAsAlpha@@YA_NW4SkBlendMode@@@Z
+?setAlphaf@SkPaint@@QAEXM@Z
+?blitAntiH2@SkARGB32_Blitter@@UAEXHHII@Z
+?getGenerationID@SkPixelRef@@QBEIXZ
+?blitMask@SkARGB32_Opaque_Blitter@@UAEXABUSkMask@@ABUSkIRect@@@Z
+?ReturnDrawTarget@BorrowDrawTarget@layers@mozilla@@QAEXAAPAVDrawTarget@gfx@3@@Z
+?IsLocked@RemoteRotatedBuffer@layers@mozilla@@UAE_NXZ
+?Unlock@RemoteRotatedBuffer@layers@mozilla@@UAEXXZ
+?Unlock@TextureClient@layers@mozilla@@QAEXXZ
+?onFlush@SkCanvas@@MAEXXZ
+?SyncWithObject@RemoteRotatedBuffer@layers@mozilla@@QAEXV?$RefPtr@VSyncObjectClient@layers@mozilla@@@@@Z
+?SyncWithObject@TextureClient@layers@mozilla@@QAEXV?$RefPtr@VSyncObjectClient@layers@mozilla@@@@@Z
+?SyncWithObject@TextureData@layers@mozilla@@UAEXV?$RefPtr@VSyncObjectClient@layers@mozilla@@@@@Z
+?HasPendingLoads@Loader@css@mozilla@@QAE_NXZ
+?ActiveSourceBuffers@MediaSource@dom@mozilla@@QAEPAVSourceBufferList@23@XZ
+?OnForwardedToHost@TextureClient@layers@mozilla@@QAE_NXZ
+?HoldUntilCompositableRefReleasedIfNecessary@CompositorBridgeChild@layers@mozilla@@QAEXPAVTextureClient@23@@Z
+??0CompositableOperationDetail@layers@mozilla@@QAE@$$QAVOpUseTexture@12@@Z
+??0CompositableOperationDetail@layers@mozilla@@QAE@ABV012@@Z
+??0Edit@layers@mozilla@@QAE@ABVCompositableOperation@12@@Z
+?MaybeDestroy@CompositableOperationDetail@layers@mozilla@@AAE_NW4Type@123@@Z
+??0CompositableOperationDetail@layers@mozilla@@QAE@$$QAVOpPaintTextureRegion@12@@Z
+??4?$nsTArray_Impl@V?$RefPtr@VLayer@layers@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAEAAV0@$$QAV0@@Z
+?Destroy@TextureClientPool@layers@mozilla@@QAEXXZ
+?EndCanvasTransaction@CompositorBridgeChild@layers@mozilla@@QAEXXZ
+?Freeze@nsRefreshDriver@@QAEXXZ
+?GetTransactionStart@nsRefreshDriver@@UAE?AVTimeStamp@mozilla@@XZ
+?GetVsyncStart@nsRefreshDriver@@UAE?AVTimeStamp@mozilla@@XZ
+?GetVsyncId@nsRefreshDriver@@UAE?AU?$BaseTransactionId@VVsyncIdType@mozilla@@@layers@mozilla@@XZ
+?EndTransaction@ShadowLayerForwarder@layers@mozilla@@QAE_NABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@U?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@23@_NI2ABU?$BaseTransactionId@VVsyncIdType@mozilla@@@23@ABVTimeStamp@3@442ABV?$nsTString@D@@PA_NABV?$nsTArray@UCompositionPayload@layers@mozilla@@@@@Z
+??0EventRegions@layers@mozilla@@QAE@XZ
+??$AssignInternal@UnsTArrayInfallibleAllocator@@VAnimation@layers@mozilla@@@?$nsTArray_Impl@VAnimation@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBVAnimation@layers@mozilla@@I@Z
+??4?$nsTArray_Impl@VAnimation@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEAAV0@$$QAV0@@Z
+?RemoveElementsAtUnsafe@?$nsTArray_Impl@UBand@regiondetails@@UnsTArrayInfallibleAllocator@@@@AAEXII@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UScrollMetadata@layers@mozilla@@@?$nsTArray_Impl@UScrollMetadata@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBUScrollMetadata@layers@mozilla@@I@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@UScrollMetadata@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+??4SpecificLayerAttributes@layers@mozilla@@QAEAAV012@$$QAUnull_t@2@@Z
+??1ClientTiledPaintedLayer@layers@mozilla@@MAE@XZ
+??4SpecificLayerAttributes@layers@mozilla@@QAEAAV012@$$QAVPaintedLayerAttributes@12@@Z
+??0SpecificLayerAttributes@layers@mozilla@@QAE@ABV012@@Z
+??1SpecificLayerAttributes@layers@mozilla@@QAE@XZ
+?FillSpecificAttributes@ContainerLayer@layers@mozilla@@UAEXAAVSpecificLayerAttributes@23@@Z
+??4SpecificLayerAttributes@layers@mozilla@@QAEAAV012@$$QAVContainerLayerAttributes@12@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@VPluginWindowData@layers@mozilla@@@?$nsTArray_Impl@VPluginWindowData@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBVPluginWindowData@layers@mozilla@@I@Z
+?PostponeMessagesIfAsyncPainting@CompositorBridgeChild@layers@mozilla@@QAEXXZ
+?SendUpdate@PLayerTransactionChild@layers@mozilla@@QAE_NABVTransactionInfo@23@@Z
+?Write@?$IPDLParamTraits@VTransactionInfo@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVTransactionInfo@layers@3@@Z
+?Read@?$IPDLParamTraits@V?$Maybe@VFileDescriptor@ipc@mozilla@@@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$Maybe@VFileDescriptor@ipc@mozilla@@@3@@Z
+?Read@?$IPDLParamTraits@VPluginWindowData@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVPluginWindowData@layers@3@@Z
+?Write@?$IPDLParamTraits@VCompositableOperation@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCompositableOperation@layers@3@@Z
+??4CompositableOperationDetail@layers@mozilla@@QAEAAV012@$$QAV012@@Z
+?Read@?$ParamTraits@UScrollbarData@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUScrollbarData@layers@mozilla@@@Z
+?Write@?$ParamTraits@V?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@@IPC@@SAXPAVMessage@2@ABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@@Z
+?Write@?$ParamTraits@V?$Maybe@ULayerClip@layers@mozilla@@@mozilla@@@IPC@@SAXPAVMessage@2@ABV?$Maybe@ULayerClip@layers@mozilla@@@mozilla@@@Z
+?Write@?$ParamTraits@UScrollbarData@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABUScrollbarData@layers@mozilla@@@Z
+??4SpecificLayerAttributes@layers@mozilla@@QAEAAV012@$$QAVImageLayerAttributes@12@@Z
+?Write@?$RegionParamTraits@V?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@U?$IntRectTyped@ULayerPixel@mozilla@@@23@VRectIterator@?$BaseIntRegion@V?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@U?$IntRectTyped@ULayerPixel@mozilla@@@23@U?$IntPointTyped@ULayerPixel@mozilla@@@23@U?$IntMarginTyped@ULayerPixel@mozilla@@@23@@23@@IPC@@SAXPAVMessage@2@ABV?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@@Z
+?Write@?$IPDLParamTraits@VCompositorAnimations@layers@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVCompositorAnimations@layers@3@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VAnimation@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVAnimation@layers@mozilla@@I@Z
+?Write@?$ParamTraits@UScrollMetadata@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABUScrollMetadata@layers@mozilla@@@Z
+?Write@?$ParamTraits@UFrameMetrics@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABUFrameMetrics@layers@mozilla@@@Z
+?Write@?$ParamTraits@UScrollSnapInfo@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABUScrollSnapInfo@layers@mozilla@@@Z
+?ByteLengthIsValid@IPC@@YA_NIIPAH@Z
+?Write@?$IPDLParamTraits@VParentShowInfo@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVParentShowInfo@dom@3@@Z
+?Write@?$ParamTraits@VFocusTarget@layers@mozilla@@@IPC@@SAXPAVMessage@2@ABVFocusTarget@layers@mozilla@@@Z
+??1?$nsTArray_Impl@VOpSetLayerAttributes@layers@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1TransactionInfo@layers@mozilla@@QAE@XZ
+?ClearInvalidations@LayerProperties@layers@mozilla@@SAXPAVLayer@23@@Z
+??$TransformPoint@M@?$Matrix4x4Typed@UScreenPixel@mozilla@@UParentLayerPixel@2@M@gfx@mozilla@@QBE?AU?$Point4DTyped@UParentLayerPixel@mozilla@@M@12@ABU?$Point4DTyped@UScreenPixel@mozilla@@M@12@@Z
+?ClearInvalidRegion@Layer@layers@mozilla@@UAEXXZ
+?ClearInvalidRegion@PaintedLayer@layers@mozilla@@UAEXXZ
+?NotifySubDocInvalidation@nsPresContext@@SAXPAVContainerLayer@layers@mozilla@@PBV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@4@@Z
+?GetLastTransactionId@ClientLayerManager@layers@mozilla@@UAE?AU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@23@XZ
+?SafeUnion@?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@QBE?AV?$Maybe@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@3@ABU123@@Z
+??$TransformAndClipBounds@M@?$Matrix4x4TypedFlagged@UUnknownUnits@gfx@mozilla@@U123@@gfx@mozilla@@QBE?AU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@12@ABU312@0@Z
+??_GColorLayerProperties@layers@mozilla@@UAEPAXI@Z
+?NotifyInvalidation@nsPresContext@@QAEXU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@layers@mozilla@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@4@@Z
+?NotifyInvalidation@nsPresContext@@QAEXU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@layers@mozilla@@ABUnsRect@@@Z
+??1LayerPropertiesBase@layers@mozilla@@UAE@XZ
+?EndPaint@PresShell@mozilla@@QAEXXZ
+?ToNearestPixels@nsRegion@@QBE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@H@Z
+?GetWindowDraggingRegion@nsDisplayListBuilder@@QBE?AV?$IntRegionTyped@ULayoutDevicePixel@mozilla@@@gfx@mozilla@@XZ
+?GetDocShell@nsPresContext@@QBEPAVnsDocShell@@XZ
+?Destroy@nsDisplayThemedBackground@@UAEXPAVnsDisplayListBuilder@@@Z
+??_GnsDisplayContainer@@UAEPAXI@Z
+??_GnsDisplayBoxShadowOuter@@UAEPAXI@Z
+?RestoreState@ScrollFrameHelper@mozilla@@QAEXPAVPresState@2@@Z
+?Read@?$IPDLParamTraits@VTransactionInfo@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVTransactionInfo@layers@3@@Z
+?Read@?$IPDLParamTraits@VCompositableOperation@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAVCompositableOperation@layers@3@@Z
+?Read@?$IPDLParamTraits@PAVPTextureChild@layers@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAPAVPTextureChild@layers@3@@Z
+?Read@?$ParamTraits@V?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@@Z
+?WillPaintWindow@PresShell@mozilla@@QAEXXZ
+?ApplyPluginGeometryUpdates@nsRootPresContext@@QAEXXZ
+?Read@?$ParamTraits@V?$Maybe@ULayerClip@layers@mozilla@@@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$Maybe@ULayerClip@layers@mozilla@@@mozilla@@@Z
+?Read@?$ParamTraits@V?$Maybe@W4ScrollDirection@layers@mozilla@@@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$Maybe@W4ScrollDirection@layers@mozilla@@@mozilla@@@Z
+?SetNeedLayoutFlush@PresShell@mozilla@@QAEXXZ
+?SendFlushRendering@CompositorBridgeChild@layers@mozilla@@QAE_NXZ
+?SendFlushRendering@PCompositorBridgeChild@layers@mozilla@@QAE_NXZ
+?Msg_FlushRendering@PCompositorBridge@layers@mozilla@@YAPAVMessage@IPC@@H@Z
+?Read@?$RegionParamTraits@V?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@U?$IntRectTyped@ULayerPixel@mozilla@@@23@VRectIterator@?$BaseIntRegion@V?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@U?$IntRectTyped@ULayerPixel@mozilla@@@23@U?$IntPointTyped@ULayerPixel@mozilla@@@23@U?$IntMarginTyped@ULayerPixel@mozilla@@@23@@23@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@mozilla@@@Z
+?Read@?$ParamTraits@UScrollMetadata@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUScrollMetadata@layers@mozilla@@@Z
+?Read@?$ParamTraits@UFrameMetrics@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUFrameMetrics@layers@mozilla@@@Z
+?Read@?$ParamTraits@U?$RectTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAU?$RectTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@@Z
+?Read@?$ParamTraits@UScrollSnapInfo@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAUScrollSnapInfo@layers@mozilla@@@Z
+?Read@?$ParamTraits@V?$nsTArray@H@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTArray@H@@@Z
+?Read@?$ParamTraits@V?$nsTArray@UScrollSnapRange@ScrollSnapInfo@layers@mozilla@@@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTArray@UScrollSnapRange@ScrollSnapInfo@layers@mozilla@@@@@Z
+?Read@?$ParamTraits@V?$nsTArray@VScrollPositionUpdate@mozilla@@@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAV?$nsTArray@VScrollPositionUpdate@mozilla@@@@@Z
+?Read@?$IPDLParamTraits@V?$nsTArray@VCompositableOperation@layers@mozilla@@@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$nsTArray@VCompositableOperation@layers@mozilla@@@@@Z
+?Read@?$IPDLParamTraits@V?$nsTArray@VOpDestroy@layers@mozilla@@@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$nsTArray@VOpDestroy@layers@mozilla@@@@@Z
+?Read@?$IPDLParamTraits@V?$nsTArray@VPluginWindowData@layers@mozilla@@@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$nsTArray@VPluginWindowData@layers@mozilla@@@@@Z
+?Read@?$ParamTraits@VFocusTarget@layers@mozilla@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAVFocusTarget@layers@mozilla@@@Z
+?Read@?$VariantReader@$01X@?$ParamTraits@V?$Variant@ULayersId@layers@mozilla@@UScrollTargets@FocusTarget@23@UNoFocusTarget@523@@mozilla@@@IPC@@SA_NPBVMessage@3@PAVPickleIterator@@EPAV?$Variant@ULayersId@layers@mozilla@@UScrollTargets@FocusTarget@23@UNoFocusTarget@523@@mozilla@@@Z
+?Read@?$IPDLParamTraits@V?$nsTArray@UCompositionPayload@layers@mozilla@@@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$nsTArray@UCompositionPayload@layers@mozilla@@@@@Z
+?RecvUpdate@LayerTransactionParent@layers@mozilla@@IAE?AVIPCResult@ipc@3@ABVTransactionInfo@23@@Z
+?SetAboutToSendAsyncMessages@HostIPCAllocator@layers@mozilla@@UAEXXZ
+?ResolveRefLayers@AsyncCompositionManager@layers@mozilla@@AAEXPAVCompositorBridgeParent@23@PA_N1@Z
+?UpdateRenderBounds@LayerManagerComposite@layers@mozilla@@UAEXABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?DetachRefLayers@AsyncCompositionManager@layers@mozilla@@AAEXXZ
+?RenderText@TextRenderer@layers@mozilla@@QAEXPAVCompositor@23@ABV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@ABU?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@83@IIW4FontType@123@@Z
+??0ContainerLayerComposite@layers@mozilla@@QAE@PAVLayerManagerComposite@12@@Z
+??0LayerComposite@layers@mozilla@@QAE@PAVLayerManagerComposite@12@@Z
+?FindCompositable@CompositableParentManager@layers@mozilla@@QAE?AV?$RefPtr@VCompositableHost@layers@mozilla@@@@ABVCompositableHandle@23@_N@Z
+?AsHostLayer@PaintedLayerComposite@layers@mozilla@@UAEPAVHostLayer@23@XZ
+?GetCompositor@LayerManagerComposite@layers@mozilla@@UBEPAVCompositor@23@XZ
+??1PaintedLayerComposite@layers@mozilla@@MAE@XZ
+?GetType@ContentHostDoubleBuffered@layers@mozilla@@UAE?AW4CompositableType@23@XZ
+??1ImageHost@layers@mozilla@@UAE@XZ
+?AcquireTextureSourceOnWhite@ContentHostTexture@layers@mozilla@@QAE?AV?$RefPtr@VTextureSource@layers@mozilla@@@@XZ
+?ReceiveCompositableUpdate@CompositableParentManager@layers@mozilla@@IAE_NABVCompositableOperation@23@@Z
+?IsValid@Compositor@layers@mozilla@@UBE_NXZ
+?SetReadLocked@TextureHost@layers@mozilla@@QAEXXZ
+?UpdatedInternal@BufferTextureHost@layers@mozilla@@MAEXPBV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?NeedsYFlip@TextureHost@layers@mozilla@@UBE_NXZ
+?ComputeRGBStride@ImageDataSerializer@layers@mozilla@@YAHW4SurfaceFormat@gfx@3@H@Z
+?CreateWrappingDataSourceSurface@Factory@gfx@mozilla@@SA?AU?$already_AddRefed@VDataSourceSurface@gfx@mozilla@@@@PAEHABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@W4SurfaceFormat@23@P6AXPAX@Z3@Z
+?InitWrappingData@SourceSurfaceRawData@gfx@mozilla@@AAEXPAEABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HW4SurfaceFormat@23@P6AXPAX@Z3@Z
+?Release@?$AtomicRefCountedWithFinalize@VTextureHost@layers@mozilla@@@mozilla@@AAEXXZ
+?SetCompositorAnimations@Layer@layers@mozilla@@QAEXABULayersId@23@ABVCompositorAnimations@23@@Z
+?SetCompositorAnimations@AnimationInfo@layers@mozilla@@QAEXABULayersId@23@ABVCompositorAnimations@23@@Z
+?AddBlendModeEffect@LayerComposite@layers@mozilla@@QAEXAAUEffectChain@23@@Z
+?SendPendingAsyncMessages@HostIPCAllocator@layers@mozilla@@UAEXXZ
+?OnMessageReceived@PCompositorBridgeParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@AAPAV78@@Z
+?ResumeComposition@CompositorBridgeParent@layers@mozilla@@QAEXXZ
+?CancelCurrentCompositeTask@CompositorVsyncScheduler@layers@mozilla@@QAEXXZ
+?ComputeRotation@AsyncCompositionManager@layers@mozilla@@QAEXXZ
+?ComputeTransformForRotation@mozilla@@YA?AV?$BaseMatrix@M@gfx@1@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@31@W4ScreenRotation@1@@Z
+?TransformShadowTree@AsyncCompositionManager@layers@mozilla@@QAE_NABVSampleTime@23@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@3@W4TransformsToSkip@CompositorBridgeParentBase@23@@Z
+?SampleAnimations@CompositorAnimationStorage@layers@mozilla@@QAE_NPAVLayer@23@PAVCompositorBridgeParent@23@VTimeStamp@3@2@Z
+?assign@?$vector@V?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CBULayersId@layers@mozilla@@V?$nsTArray@_K@@@std@@@std@@@std@@@std@@V?$allocator@V?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CBULayersId@layers@mozilla@@V?$nsTArray@_K@@@std@@@std@@@std@@@std@@@2@@std@@QAEXIABV?$_List_unchecked_iterator@V?$_List_val@U?$_List_simple_types@U?$pair@$$CBULayersId@layers@mozilla@@V?$nsTArray@_K@@@std@@@std@@@std@@@2@@Z
+??HSampleTime@layers@mozilla@@QBE?AV012@ABV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@2@@Z
+?GetTransformTyped@Layer@layers@mozilla@@QBE?BV?$Matrix4x4Typed@ULayerPixel@mozilla@@UCSSTransformedLayerPixel@2@M@gfx@3@XZ
+?GetScrolledClipRect@Layer@layers@mozilla@@QBE?AV?$Maybe@U?$IntRectTyped@UParentLayerPixel@mozilla@@@gfx@mozilla@@@3@XZ
+?GetPostYScale@ContainerLayerComposite@layers@mozilla@@UBEMXZ
+?GetPostXScale@ContainerLayerComposite@layers@mozilla@@UBEMXZ
+?AsHostLayer@ContainerLayerComposite@layers@mozilla@@UAEPAVHostLayer@23@XZ
+??1?$ExpirationTrackerImpl@UTileClient@layers@mozilla@@$02VPlaceholderLock@detail@@VPlaceholderAutoLock@5@@@UAE@XZ
+?GetShadowTransform@HostLayer@layers@mozilla@@QAE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@XZ
+?GetShadowVisibleRegion@ContainerLayerComposite@layers@mozilla@@UAEABV?$IntRegionTyped@ULayerPixel@mozilla@@@gfx@3@XZ
+?RecomputeShadowVisibleRegionFromChildren@HostLayer@layers@mozilla@@QAEXXZ
+?GetActiveSessionHistoryEntry@CanonicalBrowsingContext@dom@mozilla@@QAEPAVSessionHistoryEntry@23@XZ
+?ComputeTransformToPreserve3DRoot@Layer@layers@mozilla@@QAE?AV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@3@XZ
+??$ProjectRectBounds@M@?$Matrix4x4Typed@UParentLayerPixel@mozilla@@ULayerPixel@2@M@gfx@mozilla@@QBE?AU?$RectTyped@ULayerPixel@mozilla@@M@12@ABU?$RectTyped@UParentLayerPixel@mozilla@@M@12@ABU312@@Z
+?Transform@nsRegion@@QAEAAV1@ABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@@Z
+?GfxRectToIntRect@gfxUtils@@SA_NABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@PAU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@34@@Z
+?IsOpaqueForVisibility@Layer@layers@mozilla@@QAE_NXZ
+?Destroy@PaintedLayerComposite@layers@mozilla@@UAEXXZ
+?GetFullyRenderedRegion@LayerComposite@layers@mozilla@@UAE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@XZ
+??0CanvasLayerComposite@layers@mozilla@@QAE@PAVLayerManagerComposite@12@@Z
+?RequestAllowFrameRecording@Compositor@layers@mozilla@@UAEX_N@Z
+??$DrawGeometry@U?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@@BasicCompositor@layers@mozilla@@AAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@2@0ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@42@ABUEffectChain@12@MABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@42@0_N@Z
+?profiler_feature_active@@YA_NI@Z
+?StartRemoteDrawingInRegion@CompositorWidget@widget@mozilla@@UAE?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@AAV?$IntRegionTyped@ULayoutDevicePixel@mozilla@@@gfx@3@PAW4BufferMode@layers@3@@Z
+??0gfxWindowsSurface@@QAE@PAUHDC__@@I@Z
+_moz_cairo_win32_surface_create
+_cairo_win32_save_initial_clip
+?GetDC@gfxWindowsSurface@@QAEPAUHDC__@@XZ
+_moz_cairo_win32_surface_get_height
+_moz_cairo_win32_surface_get_width
+?GetBackBufferDrawTarget@CompositorWidget@widget@mozilla@@UAE?AU?$already_AddRefed@VDrawTarget@gfx@mozilla@@@@PAVDrawTarget@gfx@3@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@63@PA_N@Z
+_moz_cairo_win32_surface_create_with_dib
+?GetSize@DrawTargetCairo@gfx@mozilla@@UBE?AU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@XZ
+_moz_cairo_win32_surface_get_image
+_moz_cairo_surface_get_device_offset
+?Init@DrawTargetCairo@gfx@mozilla@@QAE_NPAEABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@23@HW4SurfaceFormat@23@@Z
+_moz_cairo_image_surface_get_data
+_moz_cairo_image_surface_get_height
+_moz_cairo_image_surface_get_width
+_moz_cairo_image_surface_get_stride
+_moz_cairo_image_surface_get_format
+??_GBasicCompositor@layers@mozilla@@MAEPAXI@Z
+?ClipToRegion@gfxUtils@@SAXPAVDrawTarget@gfx@mozilla@@ABV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@34@@Z
+_cairo_gstate_save
+_cairo_path_fixed_equal
+?Prepare@ContainerLayerComposite@layers@mozilla@@UAEXABU?$IntRectTyped@URenderTargetPixel@mozilla@@@gfx@3@@Z
+??$ContainerPrepare@VContainerLayerComposite@layers@mozilla@@@layers@mozilla@@YAXPAVContainerLayerComposite@01@PAVLayerManagerComposite@01@ABU?$IntRectTyped@URenderTargetPixel@mozilla@@@gfx@1@@Z
+?SupportsLayerGeometry@BasicCompositor@layers@mozilla@@UBE_NXZ
+?CalculateScissorRect@Layer@layers@mozilla@@QAE?AU?$IntRectTyped@URenderTargetPixel@mozilla@@@gfx@3@ABU453@@Z
+?Name@EffectRenderTarget@layers@mozilla@@UAEPBDXZ
+?GetLayer@ContainerLayerComposite@layers@mozilla@@UAEPAVLayer@23@XZ
+??$IntersectPolygon@M@gfx@mozilla@@YA?AV?$Span@U?$Point4DTyped@UUnknownUnits@gfx@mozilla@@M@gfx@mozilla@@$0PPPPPPPP@@1@V21@ABU?$Point4DTyped@UUnknownUnits@gfx@mozilla@@M@01@0@Z
+?RenderLayer@ContainerLayerComposite@layers@mozilla@@UAEXABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABV?$Maybe@V?$PolygonTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@3@@Z
+??$ContainerRender@VContainerLayerComposite@layers@mozilla@@@layers@mozilla@@YAXPAVContainerLayerComposite@01@PAVLayerManagerComposite@01@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@1@ABV?$Maybe@V?$PolygonTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@1@@Z
+?SetPaintWillResample@ContentHost@layers@mozilla@@UAEX_N@Z
+??1CompositableHost@layers@mozilla@@MAE@XZ
+?AsSourceOGL@TextureSource@layers@mozilla@@UAEPAVTextureSourceOGL@23@XZ
+?EmulatedPosition@XRPose@dom@mozilla@@QBE_NXZ
+?DrawGeometry@Compositor@layers@mozilla@@QAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@3@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@53@ABUEffectChain@23@MABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@53@0ABV?$Maybe@V?$PolygonTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@3@@Z
+?DrawQuad@BasicCompositor@layers@mozilla@@UAEXABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@gfx@3@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@53@ABUEffectChain@23@MABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@53@0@Z
+?AsNativeActor@WindowGlobalParent@dom@mozilla@@MAEPAVIProtocol@ipc@3@XZ
+?TransformRectToRect@gfxUtils@@SA?AV?$BaseMatrix@M@gfx@mozilla@@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@34@ABU?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@34@11@Z
+?FillRectWithMask@layers@mozilla@@YAXPAVDrawTarget@gfx@2@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@42@PAVSourceSurface@42@W4SamplingFilter@42@ABUDrawOptions@42@W4ExtendMode@42@2PBV?$BaseMatrix@M@42@6@Z
+_moz_cairo_clip_extents
+_cairo_gstate_clip_extents
+_cairo_clip_get_extents
+?Map@DataSourceSurface@gfx@mozilla@@UAE_NW4MapType@123@PAUMappedSurface@123@@Z
+?_Buy@?$vector@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@V?$allocator@V?$_List_unchecked_const_iterator@V?$_List_val@U?$_List_simple_types@_K@std@@@std@@U_Iterator_base0@2@@std@@@2@@std@@AAE_NI@Z
+_moz_cairo_surface_set_device_offset
+_moz_cairo_matrix_invert
+_cairo_observers_notify
+_moz_cairo_pattern_create_for_surface
+_cairo_pattern_init_for_surface
+_moz_cairo_matrix_init_identity
+_moz_cairo_pattern_set_matrix
+_moz_cairo_set_source
+_cairo_gstate_set_source
+_moz_cairo_set_antialias
+_moz_cairo_set_operator
+_moz_cairo_fill_preserve
+_cairo_gstate_fill
+_cairo_path_fixed_fill_rectilinear_to_region
+_moz_pixman_region32_init_rect
+_cairo_paginated_surface_get_target
+_cairo_pattern_is_clear
+_cairo_pattern_init_static_copy
+_cairo_surface_paint
+_cairo_composite_rectangles_init_for_paint
+_cairo_rectangle_intersect
+_cairo_pattern_get_extents
+_cairo_clip_contains_extents
+_cairo_clip_contains_rectangle
+_cairo_clip_to_boxes
+_cairo_box_from_rectangle
+_cairo_boxes_init_for_array
+_cairo_matrix_transform_bounding_box
+_cairo_pattern_analyze_filter
+_cairo_matrix_is_pixel_exact
+_moz_pixman_image_set_filter
+_moz_pixman_image_composite32
+_pixman_image_validate
+_pixman_bits_image_setup_accessors
+_pixman_compute_composite_region32
+_pixman_choose_implementation
+_pixman_implementation_create_general
+_pixman_implementation_create
+_pixman_setup_combiner_functions_16
+_pixman_setup_combiner_functions_32
+_pixman_setup_combiner_functions_float
+_pixman_disabled
+_pixman_implementation_create_fast_path
+_pixman_x86_get_implementations
+_pixman_implementation_create_sse2
+?From@DxgiAdapterDesc@@SAABU1@ABUDXGI_ADAPTER_DESC@@@Z
+_pixman_implementation_create_noop
+_pixman_implementation_lookup_composite
+_moz_pixman_region32_rectangles
+_moz_pixman_region32_fini
+_pixman_image_fini
+_cairo_gstate_restore
+?Unmap@DataSourceSurface@gfx@mozilla@@UAEXXZ
+?Unlock@BufferTextureHost@layers@mozilla@@UAEXXZ
+?MaybeGrabScreenshot@ScreenshotGrabber@layers@mozilla@@QAEXAAVWindow@profiler_screenshots@23@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?EndFrame@Compositor@layers@mozilla@@UAEXXZ
+?ReadUnlockTextures@TextureSourceProvider@layers@mozilla@@IAEXXZ
+?GetDirectDraw@DeviceManagerDx@gfx@mozilla@@QAEPAUIDirectDraw7@@XZ
+_moz_cairo_surface_mark_dirty
+_moz_cairo_surface_mark_dirty_rectangle
+?EndBackBufferDrawing@CompositorWidget@widget@mozilla@@UAE?AU?$already_AddRefed@VSourceSurface@gfx@mozilla@@@@XZ
+??0SourceSurfaceCairo@gfx@mozilla@@QAE@PAU_cairo_surface@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@12@ABW4SurfaceFormat@12@PAVDrawTargetCairo@12@@Z
+?BeginPoint@PathSink@gfx@mozilla@@UBE?AU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@23@XZ
+_moz_cairo_matrix_init_scale
+_moz_cairo_identity_matrix
+_cairo_gstate_identity_matrix
+_moz_cairo_set_source_surface
+_moz_cairo_matrix_init_translate
+_moz_cairo_reset_clip
+_cairo_gstate_reset_clip
+_moz_cairo_fill
+_cairo_win32_surface_get_extents
+_cairo_win32_surface_fallback_paint
+_cairo_surface_get_extents
+_cairo_matrix_is_translation
+_cairo_traps_init_boxes
+_cairo_traps_extract_region
+_moz_cairo_region_create_rectangles
+_moz_pixman_region32_init_rects
+_moz_cairo_region_intersect_rectangle
+_moz_pixman_region32_intersect
+_moz_cairo_region_get_extents
+_cairo_surface_composite
+_cairo_win32_surface_set_clip_region
+_moz_cairo_region_destroy
+_cairo_win32_surface_finish
+_moz_cairo_region_num_rectangles
+_moz_cairo_region_get_rectangle
+_cairo_traps_fini
+?EndRemoteDrawingInRegion@CompositorWidget@widget@mozilla@@UAEXPAVDrawTarget@gfx@3@ABV?$IntRegionTyped@ULayoutDevicePixel@mozilla@@@53@@Z
+?EnsureTransparentSurface@InProcessWinCompositorWidget@widget@mozilla@@QAE?AV?$RefPtr@VgfxASurface@@@@XZ
+?SurfaceDestroyFunc@gfxASurface@@CAXPAX@Z
+??1gfxASurface@@MAE@XZ
+??1TextureSource@layers@mozilla@@UAE@XZ
+?MaybeProcessQueue@ScreenshotGrabber@layers@mozilla@@QAEXXZ
+?RecordCompositionPayloadsPresented@layers@mozilla@@YAXABV?$nsTArray@UCompositionPayload@layers@mozilla@@@@@Z
+?FlushPendingNotifyNotUsed@TextureSourceProvider@layers@mozilla@@QAEXXZ
+?AlwaysScheduleComposite@LayerManagerComposite@layers@mozilla@@UBE_NXZ
+?Reply_FlushRendering@PCompositorBridge@layers@mozilla@@YAPAVMessage@IPC@@H@Z
+?RecordOnce@StartupTimeline@mozilla@@SAXW4Event@12@@Z
+?DidPaintWindow@PresShell@mozilla@@QAEXXZ
+?growStorageBy@?$Vector@_S$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?OnMessageReceived@PCompositorManagerChild@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?OnMessageReceived@PCompositorBridgeChild@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?RecvDidComposite@CompositorBridgeChild@layers@mozilla@@QAE?AVIPCResult@ipc@3@ABULayersId@23@ABU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@23@ABVTimeStamp@3@2@Z
+?GetName@PrioritizableRunnable@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?Run@PrioritizableRunnable@mozilla@@UAG?AW4nsresult@@XZ
+??_GPrioritizableRunnable@mozilla@@MAEPAXI@Z
+?NotifyDidPaintForSubtree@nsPresContext@@QAEXU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@layers@mozilla@@ABVTimeStamp@4@@Z
+?NotifyRevokingDidPaint@nsPresContext@@QAEXU?$BaseTransactionId@VTransactionIdType@layers@mozilla@@@layers@mozilla@@@Z
+?NS_NewDOMNotifyPaintEvent@@YA?AU?$already_AddRefed@VNotifyPaintEvent@dom@mozilla@@@@PAVEventTarget@dom@mozilla@@PAVnsPresContext@@PAVWidgetEvent@4@W4EventMessage@4@PAV?$nsTArray@UnsRect@@@@_KN@Z
+??$SwapArrayElements@UnsTArrayInfallibleAllocator@@U1@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@UnsTArray_RelocateUsingMemutils@@@@IAE?AUnsTArrayInfallibleResult@@AAV0@II@Z
+?ShiftKey@TouchEvent@dom@mozilla@@QAE_NXZ
+?Wrap@NotifyPaintEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVNotifyPaintEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@NotifyPaintEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?RemoveEventListener@EventListenerManager@mozilla@@QAEXABV?$nsTSubstring@_S@@PAVEventListener@dom@2@ABVEventListenerOptionsOrBoolean@52@@Z
+?QueryInterface@nsAppShellService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsDocShellLoadState@@QAE@PAVnsIURI@@@Z
+?SetTriggeringPrincipal@nsDocShellLoadState@@QAEXPAVnsIPrincipal@@@Z
+?SetFirstParty@nsDocShellLoadState@@QAEX_N@Z
+?CreateInfo@ClientManager@dom@mozilla@@SA?AV?$Maybe@VClientInfo@dom@mozilla@@@3@W4ClientType@23@PAVnsIPrincipal@@@Z
+?PostMessageMoz@BrowsingContext@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$nsTSubstring@_S@@ABV?$Sequence@PAVJSObject@@@23@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?UpdateBackgroundState@TimeoutManager@dom@mozilla@@QAEXXZ
+?StopGamepadHaptics@nsGlobalWindowInner@@QAEXXZ
+?PostVisibilityUpdateEvent@Document@dom@mozilla@@QAEXXZ
+?HasValidTransientUserGestureActivation@Document@dom@mozilla@@QAE_NXZ
+?GetContentWindow@XULFrameElement@dom@mozilla@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@XZ
+?JS_IdToProtoKey@@YA?AW4JSProtoKey@@PAUJSContext@@V?$Handle@UPropertyKey@JS@@@JS@@@Z
+??0LoadURIOptions@dom@mozilla@@QAE@XZ
+?Init@LoadURIOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?LoadURI@CanonicalBrowsingContext@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@ABULoadURIOptions@23@AAVErrorResult@3@@Z
+?StripCRLF@?$nsTSubstring@D@@QAEXXZ
+?Stub11@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Stub19@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?CreateWithInheritedAttributes@NullPrincipal@mozilla@@SA?AU?$already_AddRefed@VNullPrincipal@mozilla@@@@ABVOriginAttributes@2@_N@Z
+?CreateWithInheritedAttributes@NullPrincipal@mozilla@@SA?AU?$already_AddRefed@VNullPrincipal@mozilla@@@@PAVnsIPrincipal@@@Z
+?Mid@?$nsTString@D@@QBEIAAV1@II@Z
+?CreateInterfaceObjects@PageTransitionEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$pod_arena_realloc@PAVJSObject@@@?$MallocProvider@VZoneAllocPolicy@js@@@js@@QAEPAPAVJSObject@@IPAPAV2@II@Z
+??0nsTypeAheadFind@@QAE@XZ
+?GetUntrustedModuleLoadEvents@Telemetry@mozilla@@YA?AW4nsresult@@PAUJSContext@@PAPAVPromise@dom@2@@Z
+??0nsFind@@QAE@XZ
+??0nsFindService@@QAE@XZ
+?SetOnlyChromeDrop@nsBaseDragService@@UAG?AW4nsresult@@_N@Z
+?Release@inDeepTreeWalker@@UAGKXZ
+?GetInstance@nsSound@@SA?AU?$already_AddRefed@VnsISound@@@@XZ
+?Create@nsPrinterWin@@SA?AU?$already_AddRefed@VnsPrinterWin@@@@PBVCommonPaperInfoArray@mozilla@@ABV?$nsTSubstring@_S@@@Z
+?QueryInterface@nsPrintingProxy@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetProtoObjectHandle@PageTransitionEvent_Binding@dom@mozilla@@YA?AV?$Handle@PAVJSObject@@@JS@@PAUJSContext@@@Z
+?GetProtoObject@Event_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetContentWindow@JSWindowActorChild@dom@mozilla@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@AAVErrorResult@3@@Z
+?PropagateImageUseCounters@Document@dom@mozilla@@QAEXPAV123@@Z
+?SendAccumulatePageUseCounters@PWindowGlobalChild@dom@mozilla@@QAE_NABV?$BitSet@$0DPA@_K@3@@Z
+?TransplantObjectNukingXrayWaiver@xpc@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?JS_TransplantObject@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?NukeCrossCompartmentWrapperIfExists@js@@YAXPAUJSContext@@PAVCompartment@JS@@PAVJSObject@@@Z
+?wrappedObject@Wrapper@js@@SAPAVJSObject@@PAV3@@Z
+?removeWrapper@Compartment@JS@@QAEXVPtr@ObjectWrapperMap@js@@@Z
+?NotifyGCNukeWrapper@js@@YAXPAVJSObject@@@Z
+?IsDeadProxyObject@js@@YA_NPAVJSObject@@@Z
+?nuke@ProxyObject@js@@QAEXXZ
+?DeadProxyTargetValue@js@@YA?AVValue@JS@@PAVProxyObject@1@@Z
+?isCallable@ForwardingProxyHandler@js@@UBE_NPAVJSObject@@@Z
+?isConstructor@ForwardingProxyHandler@js@@UBE_NPAVJSObject@@@Z
+?RemapDeadWrapper@js@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?rewrap@Compartment@JS@@QAE_NPAUJSContext@@V?$MutableHandle@PAVJSObject@@@2@V?$Handle@PAVJSObject@@@2@@Z
+?isCallable@DeadObjectProxy@js@@UBE_NPAVJSObject@@@Z
+?Renew@Wrapper@js@@SAPAVJSObject@@PAV3@0PBV12@@Z
+?renew@ProxyObject@js@@QAEXPBVBaseProxyHandler@2@ABVValue@JS@@@Z
+?swap@JSObject@@SAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@1@Z
+?NotifyGCPostSwap@js@@YAXPAVJSObject@@0I@Z
+?FreeInnerObjects@nsGlobalWindowInner@@IAEXXZ
+?ObserveDOMWindowDetached@nsWindowMemoryReporter@@QAEXPAVnsGlobalWindowInner@@@Z
+?WrapObject@nsWindowRoot@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?GhostWindowsDistinguishedAmount@nsWindowMemoryReporter@@SA_JXZ
+?CancelWorkersForWindow@RuntimeService@workerinternals@dom@mozilla@@QAEXABVnsPIDOMWindowInner@@@Z
+?ClearAllTimeouts@TimeoutManager@dom@mozilla@@QAEXXZ
+?UnlinkObjectsInGlobal@nsIGlobalObject@@QAEXXZ
+??0WindowDestroyedEvent@mozilla@@QAE@PAVnsGlobalWindowInner@@_KPBD@Z
+?DisconnectEventTargetObjects@nsIGlobalObject@@IAEXXZ
+?ForEachEventTargetObject@nsIGlobalObject@@QBEXABV?$function@$$A6AXPAVDOMEventTargetHelper@mozilla@@PA_N@Z@std@@@Z
+?DisconnectFromOwner@DOMEventTargetHelper@mozilla@@UAEXXZ
+?RemoveEventTargetObject@nsIGlobalObject@@QAEXPAVDOMEventTargetHelper@mozilla@@@Z
+?RemoveObserver@Preferences@mozilla@@SA?AW4nsresult@@PAVnsIObserver@@ABV?$nsTSubstring@D@@@Z
+??$UnregisterCallbackImpl@ABV?$nsTSubstring@D@@@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZABV?$nsTSubstring@D@@1W4MatchKind@01@@Z
+?Destroy@WindowGlobalChild@dom@mozilla@@QAEXXZ
+?JSActorWillDestroy@JSActorManager@dom@mozilla@@IAEXXZ
+?SendDestroy@PWindowGlobalChild@dom@mozilla@@QAE_NXZ
+?QueryInterface@LocalStorageManager2@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetByURI@WebExtensionPolicy@extensions@mozilla@@SA?AU?$already_AddRefed@VWebExtensionPolicy@extensions@mozilla@@@@AAVGlobalObject@dom@3@PAVnsIURI@@@Z
+??RnsQueryJSActor@@UBI?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Create@Predictor@net@mozilla@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?GetParallelSpeculativeConnectLimit@Predictor@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?Release@WindowsNetworkFunctionsWrapper@windowsDHCPClient@system@toolkit@mozilla@@UAGKXZ
+?AppendTagWithValue@CacheFileUtils@net@mozilla@@YAXAAV?$nsTSubstring@D@@DABV4@@Z
+??_GCacheStorage@net@mozilla@@MAEPAXI@Z
+?Shutdown@ProxyAutoConfig@net@mozilla@@QAEXXZ
+?GetProtocolFlags@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?NewProxiedChannel@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsIProxyInfo@@I0PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?net_EnsurePSMInit@@YAXXZ
+??0nsNSSComponent@@QAE@XZ
+?Init@nsNSSComponent@@QAE?AW4nsresult@@XZ
+?HandleTLSPrefChange@@YA_NABV?$nsTString@D@@@Z
+?NativePath@nsLocalFile@@UAE?AV?$nsTString@_S@@XZ
+?Rollback@?$TTokenizer@D@mozilla@@QAEXXZ
+?InitializeNSS@psm@mozilla@@YA?AW4_SECStatus@@ABV?$nsTSubstring@D@@W4NSSDBConfig@12@W4PKCS11DBConfig@12@@Z
+?Release@nsNSSComponent@@UAGKXZ
+?GetDefaultCertVerifier@psm@mozilla@@YA?AU?$already_AddRefed@VSharedCertVerifier@psm@mozilla@@@@XZ
+?InitializeCipherSuite@psm@mozilla@@YA?AW4nsresult@@XZ
+??0nsTLSSocketProvider@@QAE@XZ
+?GlobalInit@SharedSSLState@psm@mozilla@@SAXXZ
+??0nsSSLIOLayerHelpers@@QAE@I@Z
+?Init@nsSSLIOLayerHelpers@@QAE?AW4nsresult@@XZ
+?clearStoredData@nsSSLIOLayerHelpers@@QAEXXZ
+??1SharedSSLState@psm@mozilla@@AAE@XZ
+??0RememberCertErrorsTable@psm@mozilla@@AAE@XZ
+??0nsCertOverrideService@@QAE@XZ
+?Init@nsCertOverrideService@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsCertOverrideService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsCertOverrideService@@UAGKXZ
+?Init@nsClientAuthRememberService@@QAE?AW4nsresult@@XZ
+?Get@DataStorage@mozilla@@SA?AU?$already_AddRefed@VDataStorage@mozilla@@@@W4DataStorageClass@2@@Z
+?GetFromRawFileName@DataStorage@mozilla@@CA?AU?$already_AddRefed@VDataStorage@mozilla@@@@ABV?$nsTString@_S@@@Z
+?Init@DataStorage@mozilla@@QAE?AW4nsresult@@PBV?$nsTArray@VDataStorageItem@psm@mozilla@@@@VFileDescriptor@ipc@2@@Z
+?GetAllChildProcessData@DataStorage@mozilla@@SAXAAV?$nsTArray@VDataStorageEntry@psm@mozilla@@@@@Z
+?QueryInterface@nsClientAuthRememberService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsClientAuthRememberService@@UAGKXZ
+??0nsSiteSecurityService@@QAE@XZ
+?Init@nsSiteSecurityService@@QAE?AW4nsresult@@XZ
+cert_storage_constructor
+_ZN52_$LT$gleam..gl..GlesFns$u20$as$u20$gleam..gl..Gl$GT$8get_type17h9ab7f9bc2614050fE
+_ZN57_$LT$nsstring..nsString$u20$as$u20$core..fmt..Display$GT$3fmt17hcad30d59ba4b73fdE
+_ZN8nsstring9nsAString9to_string17h91596eea4ebf69b4E
+_ZN8moz_task28create_background_task_queue17h2b72ac47660144b3E
+XPCOMService_GetPrefService
+??$DoConsumeStream@V?$nsTSubstring@D@@@@YA?AW4nsresult@@PAVnsIInputStream@@IAAV?$nsTSubstring@D@@@Z
+?Available@nsFileInputStream@@UAG?AW4nsresult@@PA_K@Z
+?Available@nsFileStreamBase@@IAE?AW4nsresult@@PA_K@Z
+?Clear@SSLTokensCache@net@mozilla@@SAXXZ
+??0CertVerifier@psm@mozilla@@QAE@W4OcspDownloadConfig@012@W4OcspStrictConfig@012@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@2@2IW4PinningMode@012@W4SHA1Mode@012@W4Mode@BRNameMatchingPolicy@12@W4NetscapeStepUpPolicy@12@W4CertificateTransparencyMode@012@W4DistrustedCAPolicy@12@W4CRLiteMode@12@_KABV?$Vector@VEnterpriseCert@@$0A@VMallocAllocPolicy@mozilla@@@2@@Z
+?AccumulateTelemetryForRootCA@psm@mozilla@@YAXW4HistogramID@Telemetry@2@V?$Span@$$CBE$0PPPPPPPP@@2@@Z
+?growStorageBy@?$Vector@V?$nsTString@D@@$0A@VMallocAllocPolicy@mozilla@@@mozilla@@AAE_NI@Z
+??0?$Maybe_CopyMove_Enabler@V?$nsTString@D@@$0A@$00$00@detail@mozilla@@QAE@$$QAV012@@Z
+?QueryInterface@nsNSSComponent@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??0nsHttpChannel@net@mozilla@@QAE@XZ
+??0HttpBaseChannel@net@mozilla@@QAE@XZ
+?LoadLoadableRoots@psm@mozilla@@YA_NABV?$nsTString@D@@@Z
+??0nsHttpRequestHead@net@mozilla@@QAE@XZ
+?GetDefaultPort@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+?Init@nsHttpChannel@net@mozilla@@UAE?AW4nsresult@@PAVnsIURI@@IPAVnsProxyInfo@23@I0_KI@Z
+?Init@HttpBaseChannel@net@mozilla@@UAE?AW4nsresult@@PAVnsIURI@@IPAVnsProxyInfo@23@I0_KI@Z
+?NS_GenerateHostPort@@YA?AW4nsresult@@ABV?$nsTString@D@@HAAV?$nsTSubstring@D@@@Z
+?SetHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@ABV?$nsTSubstring@D@@_N@Z
+?GetOrCreate@nsHttpDigestAuth@net@mozilla@@SA?AU?$already_AddRefed@VnsIHttpAuthenticator@@@@XZ
+?AddStandardRequestHeaders@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAVnsHttpRequestHead@23@_NI@Z
+?UserAgent@nsHttpHandler@net@mozilla@@QAEABV?$nsTString@D@@XZ
+?SetHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@ABV?$nsTSubstring@D@@_NW4HeaderVariety@nsHttpHeaderArray@23@@Z
+?Http3QlogDir@nsHttpHandler@net@mozilla@@QAEABV?$nsTString@D@@XZ
+rust_prepare_accept_languages
+_ZN47_$LT$str$u20$as$u20$nsstring..nsCStringLike$GT$5adapt17h346f21c44ebb04a2E
+_ZN8nsstring10nsACString6to_mut17hd47c9a5bf2621d39E
+Gecko_BeginWritingCString
+?SetLoadInfo@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsILoadInfo@@@Z
+?GetLoadInfo@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsILoadInfo@@@Z
+?SetNotificationCallbacks@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIInterfaceRequestor@@@Z
+?SetNotificationCallbacks@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIInterfaceRequestor@@@Z
+?UpdatePrivateBrowsing@?$PrivateBrowsingChannel@VHttpBaseChannel@net@mozilla@@@net@mozilla@@QAEXXZ
+??$NS_QueryNotificationCallbacks@VHttpBaseChannel@net@mozilla@@VnsILoadContext@@@@YAXPAVHttpBaseChannel@net@mozilla@@AAV?$nsCOMPtr@VnsILoadContext@@@@@Z
+?GetNotificationCallbacks@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIInterfaceRequestor@@@Z
+?GetNotificationCallbacks@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIInterfaceRequestor@@@Z
+?SetLoadFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?GetApplicationCache@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIApplicationCache@@@Z
+?SetDocumentURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?SetRedirectMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?AttachStreamFilter@nsHttpChannel@net@mozilla@@QAE?AV?$RefPtr@V?$MozPromise@V?$Endpoint@VPStreamFilterChild@extensions@mozilla@@@ipc@mozilla@@_N$00@mozilla@@@@K@Z
+?AddAsNonTailRequest@HttpBaseChannel@net@mozilla@@IAEXXZ
+?EnsureRequestContextID@HttpBaseChannel@net@mozilla@@IAE_NXZ
+?SetOriginalURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?QueryInterface@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetTimingEnabled@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetInitiatorType@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetURI@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?GetURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?SetChannelId@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_K@Z
+?SetWarningReporter@nsHttpChannel@net@mozilla@@QAEXPAVHttpChannelSecurityWarningReporter@23@@Z
+?SetAsyncOpen@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetRequestContextID@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_K@Z
+?AsyncOpen@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIStreamListener@@@Z
+?LogCallingScriptLocation@net@mozilla@@YAXPAX@Z
+?MaybeWaitForUploadStreamLength@HttpBaseChannel@net@mozilla@@IAE_NPAVnsIStreamListener@@PAVnsISupports@@@Z
+?RecomputePrincipal@ContentBlockingAllowList@mozilla@@SAXPAVnsIURI@@ABVOriginAttributes@2@PAPAVnsIPrincipal@@@Z
+?NS_UsePrivateBrowsing@@YA_NPAVnsIChannel@@@Z
+?GetOriginAttributes@StoragePrincipalHelper@mozilla@@SA_NPAVnsIChannel@@AAVOriginAttributes@2@W4PrincipalType@12@@Z
+?GetIsChannelPrivate@?$PrivateBrowsingChannel@VHttpBaseChannel@net@mozilla@@@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Check@ContentBlockingAllowList@mozilla@@SA?AW4nsresult@@PAVnsIPrincipal@@_NAA_N@Z
+?GetInstance@PermissionManager@mozilla@@SAPAV12@XZ
+?SetPartitionKey@CookieJarSettings@net@mozilla@@QAEXPAVnsIURI@@@Z
+??_GContentPrincipal@mozilla@@MAEPAXI@Z
+?GetHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@AAV?$nsTSubstring@D@@@Z
+?SetDocshellUserAgentOverride@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@XZ
+?AttemptQueueChannel@DelayHttpChannelQueue@net@mozilla@@SA_NPAVnsHttpChannel@23@@Z
+?AsyncOpenFinal@nsHttpChannel@net@mozilla@@QAE?AW4nsresult@@VTimeStamp@3@@Z
+?HasHeader@nsHttpRequestHead@net@mozilla@@QAE_NUnsHttpAtom@23@@Z
+?GetLoadFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetBeConservative@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?CheckChannel@AsyncUrlChannelClassifier@net@mozilla@@SA?AW4nsresult@@PAVnsIChannel@@$$QAV?$function@$$A6AXXZ@std@@@Z
+?GetIsThirdPartyContextToTopWindow@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?MaybeCreate@UrlClassifierFeatureTrackingProtection@net@mozilla@@SA?AU?$already_AddRefed@VUrlClassifierFeatureTrackingProtection@net@mozilla@@@@PAVnsIChannel@@@Z
+?CharsetChangeStopDocumentLoad@nsDocShell@@QAE?AW4nsresult@@XZ
+?HasHostInPreferences@UrlClassifierFeatureBase@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@W4listType@nsIUrlClassifierFeature@@AAV5@PA_N@Z
+??0UrlClassifierFeatureBase@net@mozilla@@IAE@ABV?$nsTSubstring@D@@0000000@Z
+?InitializePreferences@UrlClassifierFeatureBase@net@mozilla@@IAEXXZ
+?SplitTables@Classifier@safebrowsing@mozilla@@SAXABV?$nsTSubstring@D@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?LoadExtendedValidationInfo@psm@mozilla@@YA?AW4nsresult@@XZ
+?LoadOSClientCertsModule@psm@mozilla@@YA_NABV?$nsTString@D@@@Z
+?QueryInterface@UrlClassifierFeatureBase@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@UrlClassifierFeatureBase@net@mozilla@@UAGKXZ
+?CreateFeatureWithTables@UrlClassifierFeatureFactory@net@mozilla@@SA?AU?$already_AddRefed@VnsIUrlClassifierFeature@@@@ABV?$nsTSubstring@D@@ABV?$nsTArray@V?$nsTString@D@@@@1@Z
+?Release@UrlClassifierFeatureResult@net@mozilla@@UAGKXZ
+?MaybeCreate@UrlClassifierFeatureTrackingAnnotation@net@mozilla@@SA?AU?$already_AddRefed@VUrlClassifierFeatureTrackingAnnotation@net@mozilla@@@@PAVnsIChannel@@@Z
+?Name@UrlClassifierFeatureTrackingAnnotation@net@mozilla@@SAPBDXZ
+??1UrlClassifierFeatureBase@net@mozilla@@MAE@XZ
+?GetInstance@nsUrlClassifierUtils@@SAPAV1@XZ
+?GetXPCOMSingleton@nsUrlClassifierUtils@@SA?AU?$already_AddRefed@VnsUrlClassifierUtils@@@@XZ
+?Release@nsUrlClassifierUtils@@UAGKXZ
+?GetKeyForURI@nsUrlClassifierUtils@@UAG?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?GetTables@UrlClassifierFeatureBase@net@mozilla@@UAG?AW4nsresult@@W4listType@nsIUrlClassifierFeature@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?CreatePairwiseEntityListURI@UrlClassifierCommon@net@mozilla@@SA?AW4nsresult@@PAVnsIChannel@@PAPAVnsIURI@@@Z
+?GetWorker@nsUrlClassifierDBService@@CAPAVnsUrlClassifierDBServiceWorker@@XZ
+?GetInstance@nsUrlClassifierDBService@@SA?AU?$already_AddRefed@VnsUrlClassifierDBService@@@@PAW4nsresult@@@Z
+?Release@nsUrlClassifierDBServiceWorker@@UAGKXZ
+?QueryInterface@nsUrlClassifierDBService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DestructRange@?$nsTArray_Impl@V?$RefPtr@VLookupResult@safebrowsing@mozilla@@@@UnsTArrayInfallibleAllocator@@@@IAEXII@Z
+?DoSingleLocalLookupWithURIFragments@nsUrlClassifierDBServiceWorker@@QAE?AW4nsresult@@ABV?$nsTArray@V?$nsTString@D@@@@ABV?$nsTSubstring@D@@AAV?$nsTArray@V?$RefPtr@VLookupResult@safebrowsing@mozilla@@@@@@@Z
+?GetPrivateStoreDirectory@Classifier@safebrowsing@mozilla@@SA?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@D@@1PAPAV5@@Z
+?GetHasLoadedNonBlankURI@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?OnStateChange@BrowsingContextWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@IW44@@Z
+?GetTelemetryProvider@nsUrlClassifierUtils@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV3@@Z
+?WrapObject@WindowGlobalParent@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@WindowGlobalParent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVWindowGlobalParent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@WindowGlobalParent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@WindowContext_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetContentBlockingEventsInLog@ContentBlockingLog@mozilla@@QAEIXZ
+?ToUint32Slow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PAI@Z
+?Get@CustomElementRegistry@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Callback@CallbackObject@dom@mozilla@@QAEPAVJSObject@@PAUJSContext@@@Z
+?ShutdownHasStarted@nsUrlClassifierDBService@@SA_NXZ
+??0VariableLengthPrefixSet@safebrowsing@mozilla@@QAE@XZ
+??0nsUrlClassifierPrefixSet@@QAE@XZ
+?Init@VariableLengthPrefixSet@safebrowsing@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Release@VariableLengthPrefixSet@safebrowsing@mozilla@@UAGKXZ
+??$LookupOrAddFromFactory@V<lambda_1>@?0???$LookupOrAdd@$$V@?$nsClassHashtable@VnsUint32HashKey@@UCachedFullHashResponse@safebrowsing@mozilla@@@@QAEPAUCachedFullHashResponse@safebrowsing@mozilla@@ABI@Z@@?$nsClassHashtable@VnsUint32HashKey@@UCachedFullHashResponse@safebrowsing@mozilla@@@@QAEPAUCachedFullHashResponse@safebrowsing@mozilla@@ABIABV<lambda_1>@?0???$LookupOrAdd@$$V@0@QAEPAU123@0@Z@@Z
+?GetLookupFragments@LookupCache@safebrowsing@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PAV?$nsTArray@V?$nsTString@D@@@@@Z
+?IsEmpty@VariableLengthPrefixSet@safebrowsing@mozilla@@QBE?AW4nsresult@@PA_N@Z
+?IsEmpty@nsUrlClassifierPrefixSet@@UAG?AW4nsresult@@PA_N@Z
+?FromPlaintext@?$SafebrowsingHash@$0CA@VCompletionComparator@safebrowsing@mozilla@@@safebrowsing@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+??$NSSConstructor@VnsCryptoHash@@@psm@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?NS_GetMainThread@@YA?AW4nsresult@@PAPAVnsIThread@@@Z
+?DispatchToThread@SyncRunnable@mozilla@@QAE?AW4nsresult@@PAVnsIEventTarget@@_N@Z
+Servo_StyleSet_HasStateDependency
+?Stub21@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?math_abs@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+??$DelElemOperation@$0A@@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1PA_N@Z
+?Stub26@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Debug@ConsoleInstance@dom@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@VValue@JS@@@23@@Z
+?TimeEnd@Console@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@_S@@@Z
+?QueryInterface@nsThreadManager@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetState@XULPopupElement@dom@mozilla@@QAEXAAV?$nsTString@_S@@@Z
+?trace@?$RootedTraceable@V?$StackGCVector@VUnicodeExtensionKeyword@intl@js@@VTempAllocPolicy@3@@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?Put@?$nsBaseHashtable@VnsCStringHashKey@@V?$UniquePtr@V?$nsTString@D@@V?$DefaultDelete@V?$nsTString@D@@@mozilla@@@mozilla@@PAV?$nsTString@D@@V?$nsUniquePtrConverter@V?$nsTString@D@@@@@@QAE_NABV?$nsTSubstring@D@@ABQAV?$nsTString@D@@ABUnothrow_t@std@@@Z
+?ToNode@RegExpText@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+??4FileDescriptor@ipc@mozilla@@QAEAAV012@ABV012@@Z
+?Set@TelemetryScalar@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@V?$Handle@VValue@JS@@@JS@@PAUJSContext@@@Z
+?GetHasIPHintAddress@SVCBRecord@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?ToNumericSlow@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?StringToNumber@js@@YA_NPAUJSContext@@PAVJSString@@PAN@Z
+??$js_strtod@E@@YA_NPAUJSContext@@PBE1PAPBEPAN@Z
+?NewDtoaState@js@@YAPAUDtoaState@@XZ
+?js_strtod_harder@@YANPAUDtoaState@@PBDPAPAD@Z
+?MakeDate@JS@@YANNII@Z
+?updateTimeZone@DateTimeInfo@js@@AAEXXZ
+?internalGetOffsetMilliseconds@DateTimeInfo@js@@AAEH_JW4TimeZoneOffset@12@@Z
+?CreateInterfaceObjects@PlacesObservers_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetSingleton@nsNavHistory@@SA?AU?$already_AddRefed@VnsNavHistory@@@@XZ
+?DataReceived@PerformanceMetricsCollector@mozilla@@SA?AW4nsresult@@ABUnsID@@ABV?$nsTArray@VPerformanceInfo@dom@mozilla@@@@@Z
+?NewChannel@PageIconProtocolHandler@places@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+?QueryInterface@nsNavHistory@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsNavHistory@@UAGKXZ
+?PreventExtensions@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVObjectOpResult@4@@Z
+?XPC_WN_Shared_Enumerate@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ownPropertyKeys@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@5@@Z
+?CreateInterfaceObjects@PlacesWeakCallbackWrapper_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??_GPlacesFavicon@dom@mozilla@@EAEPAXI@Z
+?Constructor@PlacesWeakCallbackWrapper@dom@mozilla@@SA?AU?$already_AddRefed@VPlacesWeakCallbackWrapper@dom@mozilla@@@@ABVGlobalObject@23@AAVPlacesEventCallback@23@@Z
+?WrapObject@PlacesWeakCallbackWrapper@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@PlacesWeakCallbackWrapper_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPlacesWeakCallbackWrapper@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@PlacesWeakCallbackWrapper@dom@mozilla@@QBEPAVnsISupports@@XZ
+?AddListener@PlacesObservers@dom@mozilla@@SAXAAVGlobalObject@23@ABV?$nsTArray@W4PlacesEventType@dom@mozilla@@@@AAVPlacesWeakCallbackWrapper@23@AAVErrorResult@3@@Z
+?popFront@SimpleEdgeRange@ubi@JS@@UAEXXZ
+?DefaultInterface@nsSimpleEnumerator@@UAEABUnsID@@XZ
+?NondeterministicGetWeakSetKeys@ChromeUtils@dom@mozilla@@SAXAAVGlobalObject@23@V?$Handle@VValue@JS@@@JS@@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?emitPackedArrayShiftResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?packedArrayShift@MacroAssembler@jit@js@@QAEXURegister@23@VValueOperand@23@00V?$LiveSet@VRegisterSet@jit@js@@@23@PAVLabel@23@@Z
+?congruentTo@MMinMax@jit@js@@UBE_NPBVMDefinition@23@@Z
+?EmulatesUndefined@js@@YA_NPAVJSObject@@@Z
+?computeRange@MMinMax@jit@js@@UAEXAAVTempAllocator@23@@Z
+?GetDevicePixelRatio@nsGlobalWindowInner@@QAENW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetDevicePixelRatioOuter@nsGlobalWindowOuter@@QAENW4CallerType@dom@mozilla@@@Z
+?GetAsDouble@XPCVariant@@UAG?AW4nsresult@@PAN@Z
+?ConvertToBool@nsDiscriminatedUnion@@QBE?AW4nsresult@@PA_N@Z
+?GetSingleton@nsFaviconService@@SA?AU?$already_AddRefed@VnsFaviconService@@@@XZ
+?QueryInterface@nsFaviconService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsFaviconService@@UAGKXZ
+?CleaupCacheDirectories@CacheStorageService@net@mozilla@@SAXXZ
+?nsCacheServiceConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?Create@nsCacheService@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?ClearAndPrepareForLength@PLDHashTable@@QAEXI@Z
+?VisitEntriesInternal@nsCacheService@@QAE?AW4nsresult@@PAVnsICacheVisitor@@@Z
+?GetDiskCacheDirectory@nsCacheService@@SAXPAPAVnsIFile@@@Z
+?GetCacheDirectory@CacheFileIOManager@net@mozilla@@SAXPAPAVnsIFile@@@Z
+?GetAppCacheDirectory@nsCacheService@@SAXPAPAVnsIFile@@@Z
+??0_OldStorage@net@mozilla@@QAE@PAVnsILoadContextInfo@@_N11PAVnsIApplicationCache@@@Z
+?RemoveOldTrashes@nsDeleteDir@@SA?AW4nsresult@@PAVnsIFile@@@Z
+?DeleteDir@nsDeleteDir@@SA?AW4nsresult@@PAVnsIFile@@_NI@Z
+?MaybeBootstrap@TRRService@net@mozilla@@QAE_NABV?$nsTSubstring@D@@AAV4@@Z
+?ResolveHost@nsHostResolver@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@0GABVOriginAttributes@mozilla@@GGPAVnsResolveHostCallback@@@Z
+?net_IsValidHostName@@YA_NABV?$nsTSubstring@D@@@Z
+?IsExcludedFromTRR_unlocked@TRRService@net@mozilla@@AAE_NABV?$nsTSubstring@D@@@Z
+?IsLoopbackHostname@net@mozilla@@YA_NABV?$nsTSubstring@D@@@Z
+?ASCIIToLower@nsContentUtils@@SAXABV?$nsTSubstring@D@@AAV2@@Z
+??1?$nsTArray_Impl@USvcFieldValue@net@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?Release@AddrHostRecord@@UAGKXZ
+?AddRef@HttpChannelChild@net@mozilla@@UAGKXZ
+?QueryInterface@AddrHostRecord@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DetachCallback@nsHostResolver@@QAEXABV?$nsTSubstring@D@@0GABVOriginAttributes@mozilla@@GGPAVnsResolveHostCallback@@W4nsresult@@@Z
+?Release@DNSListenerProxy@net@mozilla@@UAGKXZ
+?GetAddrInfo@net@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@GGPAPAVAddrInfo@12@_N@Z
+??1?$nsTArray_Impl@UDnsCacheEntry@dom@mozilla@@UnsTArrayFallibleAllocator@@@@QAE@XZ
+?Release@TypeHostRecord@@UAGKXZ
+?OnLookupComplete@DNSListenerProxy@net@mozilla@@UAG?AW4nsresult@@PAVnsICancelable@@PAVnsIDNSRecord@@W44@@Z
+??1?$MaybeStorage@V?$RefPtr@VnsDocShellLoadState@@@@$0A@@detail@mozilla@@QAE@XZ
+?Read@?$IPDLParamTraits@V?$MaybeDiscarded@VWindowContext@dom@mozilla@@@dom@mozilla@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$MaybeDiscarded@VWindowContext@dom@mozilla@@@dom@3@@Z
+?RecvExpectPageUseCounters@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABV?$MaybeDiscarded@VWindowContext@dom@mozilla@@@23@@Z
+?GetParentActor@WindowGlobalChild@dom@mozilla@@QAE?AU?$already_AddRefed@VWindowGlobalParent@dom@mozilla@@@@XZ
+?ChildActorFor@InProcessParent@dom@mozilla@@SAPAVIProtocol@ipc@3@PAV453@@Z
+?Lookup@IProtocol@ipc@mozilla@@QAEPAV123@H@Z
+?ReceiveRawMessage@JSActorManager@dom@mozilla@@QAEXABVJSActorMessageMeta@23@$$QAV?$Maybe@VStructuredCloneData@ipc@dom@mozilla@@@3@1@Z
+??0AutoAnnotateCrashReport@CrashReporter@@QAE@W4Annotation@1@ABV?$nsTSubstring@D@@@Z
+?Read@StructuredCloneData@ipc@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@4@@Z
+?ReadFromBuffer@StructuredCloneHolder@dom@mozilla@@IAEXPAVnsIGlobalObject@@PAUJSContext@@AAVJSStructuredCloneData@@V?$MutableHandle@VValue@JS@@@JS@@ABVCloneDataPolicy@8@AAVErrorResult@3@@Z
+?GetRemoteType@WindowGlobalParent@dom@mozilla@@UAEABV?$nsTSubstring@D@@XZ
+?GetAttributeList@SipccSdpMediaSection@mozilla@@UAEAAVSdpAttributeList@2@XZ
+?WrapObject@JSWindowActorParent@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@JSWindowActorParent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVJSWindowActorParent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?QueryInterface@JSWindowActorParent@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetActor@WindowGlobalParent@dom@mozilla@@QAE?AU?$already_AddRefed@VJSWindowActorParent@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?Init@JSWindowActorParent@dom@mozilla@@QAEXABV?$nsTSubstring@D@@PAVWindowGlobalParent@23@@Z
+??0ReceiveMessageArgument@dom@mozilla@@QAE@XZ
+?ReceiveMessage@MessageListener@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@ABUReceiveMessageArgument@23@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?ToObjectInternal@ReceiveMessageArgument@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?SendRawMessage@JSWindowActorParent@dom@mozilla@@MAEXABVJSActorMessageMeta@23@$$QAV?$Maybe@VStructuredCloneData@ipc@dom@mozilla@@@3@1AAVErrorResult@3@@Z
+?movl@Assembler@jit@js@@QAEXVImmGCPtr@23@URegister@23@@Z
+?cmpl@Assembler@jit@js@@QAEXVImmGCPtr@23@ABVOperand@23@@Z
+??0AutoSaveLiveRegisters@jit@js@@QAE@AAVIonCacheIRCompiler@12@@Z
+?inputRegisterSet@CacheRegisterAllocator@jit@js@@QBE?AV?$TypedRegisterSet@URegister@jit@js@@@23@XZ
+?buildOOLFakeExitFrame@MacroAssemblerX86Shared@jit@js@@IAE_NPAX@Z
+??1AutoSaveLiveRegisters@jit@js@@QAE@XZ
+?Length@nsDOMTokenList@@QAEIXZ
+?QueryInterface@nsSupportsPRUint64@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetData@nsSupportsPRUint64@@UAG?AW4nsresult@@_K@Z
+?UpdateCurrentTopLevelOuterContentWindowId@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@_K@Z
+??1AutoAnnotateCrashReport@CrashReporter@@QAE@XZ
+?TrySetToDouble@OwningUTF8StringOrDouble@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AA_N_N@Z
+_ZN13fluent_bundle5types6number98_$LT$impl$u20$core..convert..From$LT$$RF$f64$GT$$u20$for$u20$fluent_bundle..types..FluentValue$GT$4from17hf54ff403153bfebaE
+?TakeFrameRequestCallbacks@Document@dom@mozilla@@QAEXAAV?$nsTArray@UFrameRequest@Document@dom@mozilla@@@@@Z
+?TimeStampToDOMHighResForRendering@Performance@dom@mozilla@@QBENVTimeStamp@3@@Z
+?IsCanceledFrameRequestCallback@Document@dom@mozilla@@QBE_NH@Z
+?Call@FrameRequestCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@NAAVErrorResult@3@@Z
+?GetWindowUtils@nsGlobalWindowInner@@QAEPAVnsIDOMWindowUtils@@AAVErrorResult@mozilla@@@Z
+?WrapObject@DOMRect@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@DOMRect_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMRect@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?js_dtostr@@YAPADPAUDtoaState@@PADIW4JSDToStrMode@@HN@Z
+_ZN5style10properties9longhands11caret_color16cascade_property17haf20dcfecfc35a3bE
+?GetNearestScrollableFrame@nsLayoutUtils@@SAPAVnsIScrollableFrame@@PAVnsIFrame@@I@Z
+?GetNearestScrollableFrameForDirection@nsLayoutUtils@@SAPAVnsIScrollableFrame@@PAVnsIFrame@@V?$EnumSet@W4ScrollDirection@layers@mozilla@@I@mozilla@@@Z
+?AssociateRequestToFrame@ImageLoader@css@mozilla@@QAEXPAVimgIRequest@@PAVnsIFrame@@I@Z
+?GetLoadInfo@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsILoadInfo@@@Z
+?Add@ImageTracker@dom@mozilla@@QAE?AW4nsresult@@PAVimgIRequest@@@Z
+?RegisterImageRequestIfAnimated@nsLayoutUtils@@SAXPAVnsPresContext@@PAVimgIRequest@@PA_N@Z
+?DeregisterImageRequest@nsLayoutUtils@@SAXPAVnsPresContext@@PAVimgIRequest@@PA_N@Z
+?SetCacheEntry@imgRequest@@QAEXPAVimgCacheEntry@@@Z
+?DecrementAnimationConsumers@ImageResource@image@mozilla@@UAEXXZ
+?RemoveObserver@ProgressTracker@image@mozilla@@QAE_NPAVIProgressObserver@23@@Z
+?ToOutsidePixels@nsRegion@@QBE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@H@Z
+?SaveState@nsHTMLScrollFrame@@UAE?AV?$UniquePtr@VPresState@mozilla@@V?$DefaultDelete@VPresState@mozilla@@@2@@mozilla@@XZ
+?SaveState@ScrollFrameHelper@mozilla@@QBE?AV?$UniquePtr@VPresState@mozilla@@V?$DefaultDelete@VPresState@mozilla@@@2@@2@XZ
+?SaveState@nsTextControlFrame@@UAE?AV?$UniquePtr@VPresState@mozilla@@V?$DefaultDelete@VPresState@mozilla@@@2@@mozilla@@XZ
+?ScrollTo@ScrollFrameHelper@mozilla@@QAEXUnsPoint@@W4ScrollMode@2@W4ScrollOrigin@2@PBUnsRect@@W4ScrollSnapMode@nsIScrollbarMediator@@@Z
+??1nsBoxFrame@@MAE@XZ
+?MoveTo@nsMenuPopupFrame@@QAEXABU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@mozilla@@_N@Z
+?PopupDestroyed@nsXULPopupManager@@QAEXPAVnsMenuPopupFrame@@@Z
+?SetXULLayoutManager@nsBoxFrame@@UAEXPAVnsBoxLayout@@@Z
+?Destroy@nsView@@QAEXXZ
+?ClearMouseCaptureOnView@PresShell@mozilla@@SAXPAVnsView@@@Z
+?NativeRole@ApplicationAccessible@a11y@mozilla@@UBE?AW4Role@roles@23@XZ
+?DestroyFrom@nsTextControlFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?UnbindFromFrame@TextControlState@mozilla@@QAEXPAVnsTextControlFrame@@@Z
+?FrameSelectionWillLoseFocus@PresShell@mozilla@@QAEXAAVnsFrameSelection@@@Z
+?NativeRole@HTMLSpinnerAccessible@a11y@mozilla@@UBE?AW4Role@roles@23@XZ
+??1nsTextControlFrame@@UAE@XZ
+?ComputeValueInternal@TextEditor@mozilla@@IBE?AW4nsresult@@ABV?$nsTSubstring@_S@@IAAV4@@Z
+?GetSelectionInTextControl@nsContentUtils@@SAXPAVSelection@dom@mozilla@@PAVElement@34@AAI2@Z
+?PreDestroy@EditorBase@mozilla@@UAEX_N@Z
+?GetSelection@EditorBase@mozilla@@QBEPAVSelection@dom@2@W4SelectionType@2@@Z
+?OnEditorDestroying@IMEStateManager@mozilla@@SAXAAVEditorBase@2@@Z
+?RemoveEventListeners@EditorBase@mozilla@@MAEXXZ
+?Disconnect@EditorEventListener@mozilla@@UAEXXZ
+??1EditorEventListener@mozilla@@MAE@XZ
+?ClearFrameRefs@PresShell@mozilla@@QAEXPAVnsIFrame@@@Z
+?ClearFrameRefs@EventStateManager@mozilla@@QAEXPAVnsIFrame@@@Z
+?NativeAnonymousContentRemoved@EventStateManager@mozilla@@QAEXPAVnsIContent@@@Z
+?NativeAnonymousContentRemoved@PresShell@mozilla@@QAEXPAVnsIContent@@@Z
+?Shutdown@TextControlState@mozilla@@SAXXZ
+?FillAncestors@nsLayoutUtils@@SAPAVnsIFrame@@PAV2@0PAV?$nsTArray@PAVnsIFrame@@@@@Z
+?DoCompareTreePosition@nsLayoutUtils@@SAHPAVnsIFrame@@0AAV?$nsTArray@PAVnsIFrame@@@@HH0@Z
+?GetInitData@nsDisplayBackgroundImage@@SA?AUInitData@1@PAVnsDisplayListBuilder@@PAVnsIFrame@@GABUnsRect@@PAVComputedStyle@mozilla@@@Z
+?PrepareImageLayer@nsCSSRendering@@SA?AUnsBackgroundLayerState@@PAVnsPresContext@@PAVnsIFrame@@IABUnsRect@@2ABULayer@nsStyleImageLayers@@PA_N@Z
+?StartDecoding@?$StyleGenericImage@U?$StyleGenericGradient@UStyleLineDirection@mozilla@@TStyleLengthPercentageUnion@2@UStyleCSSPixelLength@2@T32@U?$StyleGenericPosition@TStyleLengthPercentageUnion@mozilla@@T12@@2@UStyleAngle@2@UStyleAngleOrPercentage@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@@mozilla@@U?$StyleGenericMozImageRect@UStyleNumberOrPercentage@mozilla@@UStyleComputedUrl@2@@2@UStyleComputedUrl@2@U?$StyleGenericColor@UStyleRGBA@mozilla@@@2@UStylePercentage@2@@mozilla@@QBE_NXZ
+??0nsDisplayBackgroundImage@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@ABUInitData@0@1@Z
+?GetBounds@nsDisplayBackgroundImage@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?IsContentful@nsDisplayItem@@UBE_NXZ
+?GetChildren@nsDisplayContainer@@UBEPAVRetainedDisplayList@@XZ
+?NotifyContentfulPaint@nsPresContext@@QAEXXZ
+?Create@PerformanceTimingData@dom@mozilla@@SAPAV123@PAVnsITimedChannel@@PAVnsIHttpChannel@@NAAV?$nsTSubstring@_S@@2@Z
+?GetLayerState@nsDisplayBackgroundImage@@UAE?AW4LayerState@mozilla@@PAVnsDisplayListBuilder@@PAVLayerManager@layers@3@ABUContainerLayerParameters@3@@Z
+?GPUImageScalingEnabled@nsLayoutUtils@@SA_NXZ
+?GetOpaqueRegion@nsDisplayBackgroundImage@@UBE?AVnsRegion@@PAVnsDisplayListBuilder@@PA_N@Z
+?IsUniform@nsDisplayBackgroundImage@@UBE?AV?$Maybe@I@mozilla@@PAVnsDisplayListBuilder@@@Z
+?CanOptimizeToImageLayer@nsDisplayBackgroundImage@@UAE_NPAVLayerManager@layers@mozilla@@PAVnsDisplayListBuilder@@@Z
+?CanOptimizeToImageLayer@nsDisplayImageContainer@@UAE_NPAVLayerManager@layers@mozilla@@PAVnsDisplayListBuilder@@@Z
+?GetImage@nsDisplayBackgroundImage@@UAE?AU?$already_AddRefed@VimgIContainer@@@@XZ
+?AddAnimationsForDisplayItem@AnimationInfo@layers@mozilla@@QAEXPAVnsIFrame@@PAVnsDisplayListBuilder@@PAVnsDisplayItem@@W4DisplayItemType@@PAVLayerManager@23@ABV?$Maybe@U?$PointTyped@ULayoutDevicePixel@mozilla@@M@gfx@mozilla@@@3@@Z
+?GetEffectSetForFrame@EffectSet@mozilla@@SAPAV12@PBVnsIFrame@@W4DisplayItemType@@@Z
+?TransferMutatedFlagToLayer@AnimationInfo@layers@mozilla@@QAEXPAVLayer@23@@Z
+?IsInvalid@nsDisplayItem@@UBE_NAAUnsRect@@@Z
+?IsInvalid@nsIFrame@@QAE_NAAUnsRect@@@Z
+?MoveBy@nsDisplayItemGeometry@@UAEXABUnsPoint@@@Z
+?ComputeInvalidationRegion@nsDisplaySolidColorBase@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?MoveBy@nsDisplayItemGenericGeometry@@UAEXABUnsPoint@@@Z
+?ComputeInvalidationRegion@nsDisplayThemedBackground@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?WidgetAppearanceDependsOnWindowFocus@nsNativeThemeWin@@UAE_NW4StyleAppearance@mozilla@@@Z
+?ScaleToOutsidePixels@nsRegion@@QBE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@MMH@Z
+??_GnsDisplayItemGenericImageGeometry@@UAEPAXI@Z
+?ComputeInvalidationRegion@nsDisplayBoxShadowOuter@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?Xor@nsRegion@@QAEAAV1@ABUnsRect@@0@Z
+?Xor@nsRegion@@QAEAAV1@ABV1@0@Z
+?CompressAdjacentBands@nsRegion@@AAE_NAAI@Z
+?ComputeInvalidationRegion@nsDisplayItem@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?AllocateGeometry@nsDisplayBackgroundImage@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+??0nsDisplayBackgroundGeometry@@QAE@PAVnsDisplayBackgroundImage@@PAVnsDisplayListBuilder@@@Z
+?PaintStyleImageLayerWithSC@nsCSSRendering@@SA?AW4ImgDrawResult@image@mozilla@@ABUPaintBGParams@1@AAVgfxContext@@PAVComputedStyle@4@ABUnsStyleBorder@@@Z
+?GetDestRect@nsDisplayBackgroundImage@@UBE?AUnsRect@@XZ
+?GetFormat@RemoteRotatedBuffer@layers@mozilla@@UBE?AW4SurfaceFormat@gfx@3@XZ
+?AdjustedParameters@RotatedBuffer@layers@mozilla@@QBE?AUParameters@123@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?UpdateDestinationFrom@RotatedBuffer@layers@mozilla@@QAEXABV123@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+?DrawBufferWithRotation@RotatedBuffer@layers@mozilla@@QBEXPAVDrawTarget@gfx@3@MW4CompositionOp@53@PAVSourceSurface@53@PBV?$BaseMatrix@M@53@@Z
+?EndCapture@RotatedBuffer@layers@mozilla@@QAE?AV?$RefPtr@VDrawTargetCapture@gfx@mozilla@@@@XZ
+?computeOffset@SkImageInfo@@QBEIHHI@Z
+?SetParameters@RotatedBuffer@layers@mozilla@@QAEXABUParameters@123@@Z
+?And@nsRegion@@AAEXAAV?$UncheckedArray@V?$nsTArray@UBand@regiondetails@@@@UBand@regiondetails@@@regiondetails@@ABV23@1@Z
+?ClosePath@gfxContext@@QAEXXZ
+?GetPath@gfxContext@@QAE?AU?$already_AddRefed@VPath@gfx@mozilla@@@@XZ
+?init@SkAAClipBlitterWrapper@@QAEXABVSkRasterClip@@PAVSkBlitter@@@Z
+??$?8VSVGImageContext@mozilla@@@mozilla@@YA_NABV?$Maybe@VSVGImageContext@mozilla@@@0@0@Z
+??8SVGEmbeddingContextPaint@mozilla@@QBE_NABV01@@Z
+?Surface@ISurfaceProvider@image@mozilla@@UAE?AVDrawableSurface@23@XZ
+?DrawableRef@SimpleSurfaceProvider@image@mozilla@@MAE?AVDrawableFrameRef@23@I@Z
+?requestRowsPreserved@SkRectClipBlitter@@UBEHXZ
+?blitV@SkAAClipBlitter@@UAEXHHHE@Z
+Servo_ComputedStyle_Release
+?NotifyNotUsed@TextureHost@layers@mozilla@@MAEXXZ
+??8ScrollMetadata@layers@mozilla@@QBE_NABU012@@Z
+??8FrameMetrics@layers@mozilla@@QBE_NABU012@@Z
+??8ScrollSnapInfo@layers@mozilla@@QBE_NABU012@@Z
+??8OverscrollBehaviorInfo@layers@mozilla@@QBE_NABU012@@Z
+?prepareVMCall@IonCacheIRCompiler@jit@js@@AAEXAAVMacroAssembler@23@ABVAutoSaveLiveRegisters@23@@Z
+?Init@GetAnimationsOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?JS_AtomizeAndPinString@@YAPAVJSString@@PAUJSContext@@PBD@Z
+?GetAnimations@Element@dom@mozilla@@QAEXABUGetAnimationsOptions@23@AAV?$nsTArray@V?$RefPtr@VAnimation@dom@mozilla@@@@@@@Z
+?GetAnimations@DocumentOrShadowRoot@dom@mozilla@@QAEXAAV?$nsTArray@V?$RefPtr@VAnimation@dom@mozilla@@@@@@@Z
+?GetEffectSet@EffectSet@mozilla@@SAPAV12@PBVElement@dom@2@W4PseudoStyleType@2@@Z
+?GetClientAreaRect@Element@dom@mozilla@@AAE?AUnsRect@@XZ
+?GetScrollFrame@Element@dom@mozilla@@QAEPAVnsIScrollableFrame@@PAPAVnsIFrame@@W4FlushType@3@@Z
+?GetScrollingElement@Document@dom@mozilla@@QAEPAVElement@23@XZ
+?GetPositionIgnoringScrolling@nsIFrame@@QBE?AUnsPoint@@XZ
+?GetPositionOfChildIgnoringScrolling@nsIFrame@@UAE?AUnsPoint@@PBV1@@Z
+?GetPaddingRect@nsIFrame@@QBE?AUnsRect@@XZ
+?SetToRGBAColor@nsComputedDOMStyle@@SAXPAVnsROCSSPrimitiveValue@@I@Z
+?SetPixels@nsROCSSPrimitiveValue@@QAEXM@Z
+?GetCssText@nsROCSSPrimitiveValue@@UAEXAAV?$nsTString@_S@@AAVErrorResult@mozilla@@@Z
+??_GnsROCSSPrimitiveValue@@UAEPAXI@Z
+?DoGetComputedStyleNoFlush@nsComputedDOMStyle@@CA?AU?$already_AddRefed@VComputedStyle@mozilla@@@@PAVElement@dom@mozilla@@PAVnsAtom@@PAVPresShell@5@W4StyleType@1@@Z
+?GetPresShellForContent@nsContentUtils@@SAPAVPresShell@mozilla@@PBVnsIContent@@@Z
+?GetStyleFrame@nsLayoutUtils@@SAPAVnsIFrame@@PBVnsIContent@@@Z
+?ResolveStyleLazily@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@AAVElement@dom@2@W4PseudoStyleType@2@W4StyleRuleInclusion@2@@Z
+Servo_ResolveStyleLazily
+?SendForcePresent@PCompositorBridgeChild@layers@mozilla@@QAE_NXZ
+??1?$nsRunnableMethodReceiver@VAsyncPanZoomController@layers@mozilla@@$00@@QAE@XZ
+?MoveToSource@CompositorVsyncDispatcher@mozilla@@QAEXABV?$RefPtr@VVsyncSource@gfx@mozilla@@@@@Z
+?EnableCompositorVsyncDispatcher@Display@VsyncSource@gfx@mozilla@@QAEXPAVCompositorVsyncDispatcher@4@@Z
+?Flush@PRFileDescStream@layout@mozilla@@QAEXXZ
+?GetBrowsingContext@JSWindowActorParent@dom@mozilla@@QAEPAVCanonicalBrowsingContext@23@AAVErrorResult@3@@Z
+?RecvAccumulatePageUseCounters@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@ABV?$BitSet@$0DPA@_K@3@@Z
+??$ToString@UnsPoint@@@mozilla@@YA?AV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@ABUnsPoint@@@Z
+?RecvDestroy@WindowGlobalParent@dom@mozilla@@IAE?AVIPCResult@ipc@3@XZ
+?Send__delete__@PWindowGlobalParent@dom@mozilla@@SA_NPAV123@@Z
+?Discard@WindowContext@dom@mozilla@@QAEXXZ
+?JSActorDidDestroy@JSActorManager@dom@mozilla@@IAEXXZ
+?RemoveManagee@PInProcessChild@dom@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?GetPersistent@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAV?$nsTString@D@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@D@@AAV1@@Z
+??0NetAddr@net@mozilla@@QAE@PBTPRNetAddr@@@Z
+??0AddrInfo@net@mozilla@@QAE@ABV?$nsTSubstring@D@@I$$QAV?$nsTArray@TNetAddr@net@mozilla@@@@I@Z
+?GetDNSCacheEntries@nsHostResolver@@QAEXPAV?$nsTArray@UDNSCacheEntries@net@mozilla@@@@@Z
+??1AddrInfo@net@mozilla@@AAE@XZ
+?Run@?$RunnableMethodImpl@PAV?$AbstractCanonical@V?$Maybe@VTimeUnit@media@mozilla@@@mozilla@@@mozilla@@P812@AEXPAV?$AbstractMirror@V?$Maybe@VTimeUnit@media@mozilla@@@mozilla@@@2@@Z$00$0A@U?$StoreRefPtrPassByPtr@V?$AbstractMirror@V?$Maybe@VTimeUnit@media@mozilla@@@mozilla@@@mozilla@@@@@detail@mozilla@@UAG?AW4nsresult@@XZ
+?Run@SyncRunnable@mozilla@@MAG?AW4nsresult@@XZ
+?EnsureNSSInitializedChromeOrContent@@YA_NXZ
+??_GSyncRunnable@mozilla@@UAEPAXI@Z
+?SetPrefixes@VariableLengthPrefixSet@safebrowsing@mozilla@@QAE?AW4nsresult@@AAV?$FallibleTArray@UAddPrefix@safebrowsing@mozilla@@@@AAV?$FallibleTArray@UAddComplete@safebrowsing@mozilla@@@@@Z
+?SetPrefixes@nsUrlClassifierPrefixSet@@UAG?AW4nsresult@@PBII@Z
+?Init@nsUrlClassifierPrefixSet@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?IsSuccessCode@nsXPCComponents@@UAG?AW4nsresult@@W42@PA_N@Z
+?GeneratorThrowOrReturn@js@@YA_NPAUJSContext@@VAbstractFramePtr@1@V?$Handle@PAVAbstractGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@5@W4GeneratorResumeKind@1@@Z
+?SizeOfIncludingThis@VariableLengthPrefixSet@safebrowsing@mozilla@@QBEIP6AIPBX@Z@Z
+?NS_NewBufferedInputStream@@YA?AW4nsresult@@PAPAVnsIInputStream@@U?$already_AddRefed@VnsIInputStream@@@@I@Z
+?LoadPrefixes@VariableLengthPrefixSet@safebrowsing@mozilla@@QAE?AW4nsresult@@AAV?$nsCOMPtr@VnsIInputStream@@@@@Z
+?LoadPrefixes@nsUrlClassifierPrefixSet@@QAE?AW4nsresult@@AAV?$nsCOMPtr@VnsIInputStream@@@@@Z
+?Seek@nsBufferedStream@@UAG?AW4nsresult@@H_J@Z
+ComputeCrc32c
+?Release@nsBufferedOutputStream@@UAGKXZ
+??$NSSConstructor@VnsNSSCertificateDB@@@psm@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??_GnsCryptoHash@@EAEPAXI@Z
+??0PipUIContext@@QAE@XZ
+?GetChildActor@WindowGlobalParent@dom@mozilla@@QAE?AU?$already_AddRefed@VWindowGlobalChild@dom@mozilla@@@@XZ
+?RebuildApproximateFrameVisibilityDisplayList@PresShell@mozilla@@QAEXABVnsDisplayList@@@Z
+?Seek@nsFileInputStream@@UAG?AW4nsresult@@H_J@Z
+?Seek@nsFileStreamBase@@UAG?AW4nsresult@@H_J@Z
+_ZN5style10properties9longhands9fill_rule16cascade_property17h9aad254200b7c674E
+?NotifyVsync@CompositorVsyncDispatcher@mozilla@@QAEXABUVsyncEvent@2@@Z
+??6gfx@mozilla@@YAAAV?$basic_ostream@DU?$char_traits@D@std@@@std@@AAV23@ABW4SamplingFilter@01@@Z
+??8IPCClientInfo@dom@mozilla@@QBE_NABV012@@Z
+??8PrincipalInfo@ipc@mozilla@@QBE_NABV012@@Z
+??8ContentPrincipalInfo@ipc@mozilla@@QBE_NABV012@@Z
+?OnMessageReceived@PInProcessChild@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?OnMessageReceived@PWindowGlobalChild@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?profiler_unregister_page@@YAX_K@Z
+?ClearManager@JSWindowActorChild@dom@mozilla@@UAEXXZ
+?NotifyVsync@VRManager@gfx@mozilla@@QAEXABVTimeStamp@3@@Z
+?NotifyContentfulPaintForRootContentDocument@nsDOMNavigationTiming@@QAEXABVTimeStamp@mozilla@@@Z
+?GetProtoObjectHandle@NotifyPaintEvent_Binding@dom@mozilla@@YA?AV?$Handle@PAVJSObject@@@JS@@PAUJSContext@@@Z
+?GetHostPort@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AddonPolicy@ContentPrincipal@mozilla@@QAEPAVWebExtensionPolicy@extensions@2@XZ
+?NewHtml5Parser@nsHtml5Module@@SA?AU?$already_AddRefed@VnsHtml5Parser@@@@XZ
+??0nsHtml5TreeOpExecutor@@QAE@XZ
+??0nsHtml5DocumentBuilder@@IAE@_N@Z
+??0nsHtml5TreeBuilder@@QAE@PAVnsAHtml5TreeOpSink@@PAVnsHtml5TreeOpStage@@@Z
+??0nsHtml5Tokenizer@@QAE@PAVnsHtml5TreeBuilder@@_N@Z
+??0nsHtml5ElementName@@QAE@XZ
+??0nsHtml5AttributeName@@QAE@XZ
+?AddRef@Console@dom@mozilla@@UAGKXZ
+?MarkAsNotScriptCreated@nsHtml5Parser@@UAEXPBD@Z
+??0nsHtml5StreamParser@@QAE@PAVnsHtml5TreeOpExecutor@@PAVnsHtml5Parser@@W4eParserMode@@@Z
+?GetStreamParserThread@nsHtml5Module@@SAPAVnsIThread@@XZ
+?ReleaseStatics@nsHtml5Module@@SAXXZ
+??0nsHtml5StreamListener@@QAE@PAVnsHtml5StreamParser@@@Z
+?GetContentSink@nsHtml5Parser@@UAGPAVnsIContentSink@@XZ
+?Release@Console@dom@mozilla@@UAGKXZ
+?BlockParser@nsHtml5Parser@@UAGXXZ
+?SetViewSourceTitle@nsHtml5StreamParser@@QAEXPAVnsIURI@@@Z
+?WatchedByDevTools@BrowsingContext@dom@mozilla@@QAE_NXZ
+?SetParser@nsHtml5TreeOpExecutor@@UAG?AW4nsresult@@PAVnsParserBase@@@Z
+?GetIsOriginPotentiallyTrustworthy@BasePrincipal@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?IsPotentiallyTrustworthyOrigin@nsMixedContentBlocker@@SA_NPAVnsIURI@@@Z
+?GetSiteIdentifier@ContentPrincipal@mozilla@@UAE?AW4nsresult@@AAVSiteIdentifier@2@@Z
+?Mutate@SubstitutingURL@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURIMutator@@@Z
+?Clone@SubstitutingURL@net@mozilla@@EAE?AW4nsresult@@PAPAVnsIURI@@@Z
+?CreateContentPrincipal@BasePrincipal@mozilla@@SA?AU?$already_AddRefed@VBasePrincipal@mozilla@@@@ABV?$nsTSubstring@D@@@Z
+??$SetLength@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@IUnsTArrayInfallibleAllocator@@@@IAE_NI@Z
+?WritePrefixes@nsUrlClassifierPrefixSet@@QBE?AW4nsresult@@AAV?$nsCOMPtr@VnsIOutputStream@@@@@Z
+?Create@Permission@mozilla@@SA?AU?$already_AddRefed@VPermission@mozilla@@@@PAVnsIPrincipal@@ABV?$nsTSubstring@D@@II_J2@Z
+?ClonePrincipalForPermission@Permission@mozilla@@SA?AU?$already_AddRefed@VnsIPrincipal@@@@PAVnsIPrincipal@@@Z
+?Release@nsAuthInformationHolder@@UAGKXZ
+?IsThirdPartyURI@ThirdPartyUtil@@UAG?AW4nsresult@@PAVnsIURI@@0PA_N@Z
+?QueryInterface@ThirdPartyUtil@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?OnStartRequest@nsHtml5StreamListener@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?OnStartRequest@nsHtml5StreamParser@@QAE?AW4nsresult@@PAVnsIRequest@@@Z
+?StartTokenizer@nsHtml5Parser@@QAEX_N@Z
+?GetChannel@nsHtml5StreamParser@@QAE?AW4nsresult@@PAPAVnsIChannel@@@Z
+?NS_IsSrcdocChannel@@YA_NPAVnsIChannel@@@Z
+?start@nsHtml5Tokenizer@@QAEXXZ
+?resetToDataState@nsHtml5Tokenizer@@QAEXXZ
+?DropDelegate@nsHtml5StreamListener@@QAEXXZ
+?WillBuildModel@nsHtml5TreeOpExecutor@@UAG?AW4nsresult@@W4nsDTDMode@@@Z
+?FalliblyCreate@nsHtml5OwningUTF16Buffer@@SA?AU?$already_AddRefed@VnsHtml5OwningUTF16Buffer@@@@H@Z
+?RetargetDeliveryTo@nsBaseChannel@@UAG?AW4nsresult@@PAVnsIEventTarget@@@Z
+?QueryInterface@nsInputStreamPump@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?RetargetDeliveryTo@nsInputStreamPump@@UAG?AW4nsresult@@PAVnsIEventTarget@@@Z
+?CheckListenerChain@nsBaseChannel@@UAG?AW4nsresult@@XZ
+?QueryInterface@nsDocumentOpenInfo@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CheckListenerChain@nsDocumentOpenInfo@@UAG?AW4nsresult@@XZ
+?Release@nsHtml5OwningUTF16Buffer@@QAEIXZ
+?emitStringToLowerCaseResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+?OnDataAvailable@ParentChannelWrapper@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?OnDataAvailable@nsHtml5StreamListener@@UAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?OnDataAvailable@nsHtml5StreamParser@@QAE?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?OnStopRequest@nsHtml5StreamListener@@UAG?AW4nsresult@@PAVnsIRequest@@W42@@Z
+?OnStopRequest@nsHtml5StreamParser@@QAE?AW4nsresult@@PAVnsIRequest@@W42@@Z
+?AddRef@nsHtml5TreeOpExecutor@@WBBA@AGKXZ
+?Start@nsHtml5TreeOpExecutor@@QAEXXZ
+?TailAsSpan@nsHtml5OwningUTF16Buffer@@QAE?AV?$Span@_S$0PPPPPPPP@@mozilla@@H@Z
+?EnsureBufferSpace@nsHtml5Tokenizer@@QAE_NH@Z
+?tokenizeBuffer@nsHtml5Tokenizer@@QAE_NPAVnsHtml5UTF16Buffer@@@Z
+?ParseDocument@nsHtml5StringParser@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVDocument@dom@mozilla@@_N@Z
+??4?$Variant@Uuninitialized@@UopAppend@@UopDetach@@UopAppendChildrenToNewParent@@UopFosterParent@@UopAppendToDocument@@UopAddAttributes@@W4nsHtml5DocumentMode@@UopCreateHTMLElement@@UopCreateSVGElement@@UopCreateMathMLElement@@UopSetFormElement@@UopAppendText@@UopFosterParentText@@UopAppendComment@@UopAppendCommentToDocument@@UopAppendDoctypeToDocument@@UopGetDocumentFragmentForTemplate@@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@UopRunScriptAsyncDefer@@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCreatingElement@@UopSetDocumentCharset@@UopCharsetSwitchTo@@UopUpdateStyleSheet@@UopProcessOfflineManifest@@UopMarkMalformedIfScript@@UopStreamEnded@@UopSetStyleLineNumber@@UopSetScriptLineAndColumnNumberAndFreeze@@UopSvgLoad@@UopMaybeComplainAboutCharset@@UopMaybeComplainAboutDeepTree@@UopAddClass@@UopAddViewSourceHref@@UopAddViewSourceBase@@UopAddErrorType@@UopAddLineNumberId@@UopStartLayout@@UopEnableEncodingMenu@@@mozilla@@QAEAAV01@ABV01@@Z
+?newLocalNameFromBuffer@nsHtml5Portability@@SAPAVnsAtom@@PA_SHPAVnsHtml5AtomTable@@@Z
+?newStringFromBuffer@nsHtml5Portability@@SA?AVnsHtml5String@@PA_SHHPAVnsHtml5TreeBuilder@@_N@Z
+?FromBuffer@nsHtml5String@@SA?AV1@PA_SHPAVnsHtml5TreeBuilder@@@Z
+?CopyFrom@?$Buffer@E@mozilla@@SA?AV?$Maybe@V?$Buffer@E@mozilla@@@2@V?$Span@$$CBE$0PPPPPPPP@@2@@Z
+?Active@DOMMediaStream@mozilla@@QBE_NXZ
+??0nsHtml5HtmlAttributes@@QAE@H@Z
+?addAttribute@nsHtml5HtmlAttributes@@QAEXPAVnsHtml5AttributeName@@VnsHtml5String@@H@Z
+??$copyConstruct@V?$Variant@Uuninitialized@@UopAppend@@UopDetach@@UopAppendChildrenToNewParent@@UopFosterParent@@UopAppendToDocument@@UopAddAttributes@@W4nsHtml5DocumentMode@@UopCreateHTMLElement@@UopCreateSVGElement@@UopCreateMathMLElement@@UopSetFormElement@@UopAppendText@@UopFosterParentText@@UopAppendComment@@UopAppendCommentToDocument@@UopAppendDoctypeToDocument@@UopGetDocumentFragmentForTemplate@@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@UopRunScriptAsyncDefer@@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCreatingElement@@UopSetDocumentCharset@@UopCharsetSwitchTo@@UopUpdateStyleSheet@@UopProcessOfflineManifest@@UopMarkMalformedIfScript@@UopStreamEnded@@UopSetStyleLineNumber@@UopSetScriptLineAndColumnNumberAndFreeze@@UopSvgLoad@@UopMaybeComplainAboutCharset@@UopMaybeComplainAboutDeepTree@@UopAddClass@@UopAddViewSourceHref@@UopAddViewSourceBase@@UopAddErrorType@@UopAddLineNumberId@@UopStartLayout@@UopEnableEncodingMenu@@@mozilla@@@?$VariantImplementation@E$0BC@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@UopRunScriptAsyncDefer@@UopPreventScriptExecution@@UopDoneAddingChildren@@UopDoneCreatingElement@@UopSetDocumentCharset@@UopCharsetSwitchTo@@UopUpdateStyleSheet@@UopProcessOfflineManifest@@UopMarkMalformedIfScript@@UopStreamEnded@@UopSetStyleLineNumber@@UopSetScriptLineAndColumnNumberAndFreeze@@UopSvgLoad@@UopMaybeComplainAboutCharset@@UopMaybeComplainAboutDeepTree@@UopAddClass@@UopAddViewSourceHref@@UopAddViewSourceBase@@UopAddErrorType@@UopAddLineNumberId@@UopStartLayout@@UopEnableEncodingMenu@@@detail@mozilla@@SAXPAXABV?$Variant@Uuninitialized@@UopAppend@@UopDetach@@UopAppendChildrenToNewParent@@UopFosterParent@@UopAppendToDocument@@UopAddAttributes@@W4nsHtml5DocumentMode@@UopCreateHTMLElement@@UopCreateSVGElement@@UopCreateMathMLElement@@UopSetFormElement@@UopAppendText@@UopFosterParentText@@UopAppendComment@@UopAppendCommentToDocument@@UopAppendDoctypeToDocument@@UopGetDocumentFragmentForTemplate@@UopGetFosterParent@@UopMarkAsBroken@@UopRunScript@@
+?_Target_type@?$_Func_impl_no_alloc@P6A_NVTimeStamp@mozilla@@@Z_NV12@@std@@EBEABVtype_info@@XZ
+?eof@nsHtml5Tokenizer@@QAEXXZ
+?StreamEnded@nsHtml5TreeBuilder@@QAEXXZ
+?Flush@nsHtml5TreeBuilder@@QAE_N_N@Z
+?DocumentCharSetChanged@nsPresContext@@QAEXV?$NotNull@PBVEncoding@mozilla@@@mozilla@@@Z
+?Flush@nsFontCache@@QAEXH@Z
+?SetCompatibilityMode@Document@dom@mozilla@@QAEXW4nsCompatibility@@@Z
+?IsParserEnabled@nsHtml5Parser@@UAG_NXZ
+?NS_NewDOMDocumentType@@YA?AU?$already_AddRefed@VDocumentType@dom@mozilla@@@@PAVnsNodeInfoManager@@PAVnsAtom@@ABV?$nsTSubstring@_S@@22@Z
+?construct@JSXrayTraits@xpc@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABVCallArgs@5@ABVWrapper@js@@@Z
+?GetProtoObject@Node_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?NS_NewHTMLMetaElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?SetChecked@HTMLMenuItemElement@dom@mozilla@@QAEX_N@Z
+?ProcessMETATag@Document@dom@mozilla@@QAEXPAVHTMLMetaElement@23@@Z
+?AttributeChanged@nsStubAnimationObserver@@UAEXPAVElement@dom@mozilla@@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?AddProfilerMarker@ChromeUtils@dom@mozilla@@SAXAAVGlobalObject@23@ABV?$nsTSubstring@D@@ABVProfilerMarkerOptionsOrDouble@23@ABV?$Optional@V?$nsTSubstring@D@@@23@@Z
+??$match@UUncompressedLengthMatcher@ScriptSource@js@@ABV?$Variant@U?$Compressed@TUtf8Unit@mozilla@@$0A@@ScriptSource@js@@V?$Uncompressed@TUtf8Unit@mozilla@@$0A@@23@U?$Compressed@TUtf8Unit@mozilla@@$00@23@V?$Uncompressed@TUtf8Unit@mozilla@@$00@23@U?$Compressed@_S$0A@@23@V?$Uncompressed@_S$0A@@23@U?$Compressed@_S$00@23@V?$Uncompressed@_S$00@23@U?$Retrievable@TUtf8Unit@mozilla@@@23@U?$Retrievable@_S@23@UMissing@23@@mozilla@@@?$VariantImplementation@E$08U?$Retrievable@_S@ScriptSource@js@@UMissing@23@@detail@mozilla@@SA?A?<decltype-auto>@@$$QAUUncompressedLengthMatcher@ScriptSource@js@@ABV?$Variant@U?$Compressed@TUtf8Unit@mozilla@@$0A@@ScriptSource@js@@V?$Uncompressed@TUtf8Unit@mozilla@@$0A@@23@U?$Compressed@TUtf8Unit@mozilla@@$00@23@V?$Uncompressed@TUtf8Unit@mozilla@@$00@23@U?$Compressed@_S$0A@@23@V?$Uncompressed@_S$0A@@23@U?$Compressed@_S$00@23@V?$Uncompressed@_S$00@23@U?$Retrievable@TUtf8Unit@mozilla@@@23@U?$Retrievable@_S@23@UMissing@23@@2@@Z
+?CompileLazyFunctionToStencil@frontend@js@@YA_NPAUJSContext@@AAUCompilationInfo@12@V?$Handle@PAVBaseScript@js@@@JS@@PB_SI@Z
+?standaloneLazyFunction@?$Parser@VFullParseHandler@frontend@js@@_S@frontend@js@@QAEPAVFunctionNode@23@V?$Handle@PAVJSFunction@@@JS@@I_NW4GeneratorKind@3@W4FunctionAsyncKind@3@@Z
+_ZN76_$LT$style..gecko..wrapper..GeckoElement$u20$as$u20$style..dom..TElement$GT$29is_html_document_body_element17he694697ac87b504cE
+Gecko_IsDocumentBody
+?NS_TrustedNewXULElement@@YAXPAPAVElement@dom@mozilla@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+_ZN5style10properties9longhands10math_depth16cascade_property17hf542f54a539adf2eE
+_ZN5style10properties9longhands24_moz_min_font_size_ratio16cascade_property17h6bb9fe14351ceb0dE
+_ZN5style10properties9longhands16text_orientation16cascade_property17hdb7b079750a28516E
+_ZN5style10properties9longhands12writing_mode16cascade_property17h0baaf27edd57ec31E
+_ZN5style10properties9longhands10_moz_inert16cascade_property17h509a665c3c47a683E
+_ZN5style10properties9longhands36_moz_font_smoothing_background_color16cascade_property17h736caebd8f82df56E
+_ZN5style10properties9longhands18_moz_list_reversed16cascade_property17he08628a657981ff9E
+_ZN5style10properties9longhands6quotes16cascade_property17hcbb7ff535e60409fE
+_ZN5style10properties9longhands19list_style_position16cascade_property17h2ac455b1e071de27E
+_ZN5style10properties9longhands15_moz_user_input16cascade_property17h1552f11d3dcb376eE
+_ZN5style10properties9longhands24text_decoration_skip_ink16cascade_property17hefbc2ef3fdbef0d6E
+_ZN5style10properties9longhands23text_underline_position16cascade_property17h650b30e9980e6eaaE
+_ZN5style10properties9longhands21text_underline_offset16cascade_property17hbc829b96893678daE
+?advance@?$TokenStreamSpecific@_SV?$ParserAnyCharsAccess@V?$GeneralParser@VFullParseHandler@frontend@js@@_S@frontend@js@@@frontend@js@@@frontend@js@@QAE_NI@Z
+_ZN5style10properties9longhands20text_combine_upright16cascade_property17h543957f11925cd81E
+_ZN5style10properties9longhands13ruby_position16cascade_property17h1474e683db052c24E
+_ZN5style10properties9longhands10ruby_align16cascade_property17h82d9ef62b531117aE
+_ZN5style10properties9longhands25_webkit_text_stroke_width16cascade_property17h9068aec2dc988716E
+_ZN5style10properties9longhands25_webkit_text_stroke_color16cascade_property17h5521faffb785e89dE
+_ZN5style10properties9longhands23_webkit_text_fill_color16cascade_property17hec924452d2f3087aE
+_ZN5style10properties9longhands10line_break16cascade_property17h4798245310172756E
+_ZN5style10properties9longhands13_moz_tab_size16cascade_property17h543360102107e8a8E
+_ZN5style10properties9longhands19text_emphasis_color16cascade_property17hfe468ff8a7f07641E
+_ZN5style10properties9longhands22text_emphasis_position16cascade_property17hb39a2d838eaed338E
+_ZN5style10properties9longhands19text_emphasis_style16cascade_property17h9253476cd9d96d06E
+_ZN5style10properties9longhands15text_align_last16cascade_property17h85fb49253a37f2ccE
+_ZN5style10properties9longhands12text_justify16cascade_property17h88adcfc1055bcc49E
+_ZN5style10properties9longhands10word_break16cascade_property17hdd233ac90f90f3f0E
+_ZN5style10properties9longhands21_moz_text_size_adjust16cascade_property17h3190b811bb16fee9E
+_ZN5style10properties9longhands7hyphens16cascade_property17h4fa41bdd023adaa3E
+_ZN5style10properties9longhands14border_spacing16cascade_property17h2e7c889262930921E
+_ZN5style10properties9longhands12caption_side16cascade_property17h4115d38d35c6d6ceE
+_ZN5style10properties9longhands11empty_cells16cascade_property17h8ca1700483f58081E
+_ZN5style10properties9longhands15border_collapse16cascade_property17hd301a989a5a1af09E
+_ZN5style10properties9longhands11paint_order16cascade_property17h48cbde929f86bd45E
+_ZN5style10properties9longhands10marker_end16cascade_property17heffc931e21f3ecdaE
+_ZN5style10properties9longhands10marker_mid16cascade_property17ha4e7850d2e1ab94cE
+_ZN5style10properties9longhands12marker_start16cascade_property17h8f03f9764a609ffcE
+_ZN5style10properties9longhands9clip_rule16cascade_property17hc2e90425320d81a7E
+_ZN5style10properties9longhands17stroke_dashoffset16cascade_property17h9eb51ee4b7afa099E
+_ZN5style10properties9longhands16stroke_dasharray16cascade_property17hf4fe106cd12ba9dfE
+_ZN5style10properties9longhands17stroke_miterlimit16cascade_property17hca23728ca9915d42E
+_ZN5style10properties9longhands15stroke_linejoin16cascade_property17h66c03feea1a5403aE
+_ZN5style10properties9longhands14stroke_linecap16cascade_property17hee5f4262e4b1aeb4E
+_ZN5style10properties9longhands27color_interpolation_filters16cascade_property17h81a4b49b406d16acE
+_ZN5style10properties9longhands19color_interpolation16cascade_property17h2c7e0528c54ac52fE
+_ZN5style10properties9longhands11text_anchor16cascade_property17h511d17b7353bae67E
+_ZN5style10properties9longhands17dominant_baseline16cascade_property17h8eb03f6dca02237bE
+_ZN5style10properties9longhands17image_orientation16cascade_property17h248257ee6703beb6E
+_ZN5style10properties9longhands15image_rendering16cascade_property17h28c9e4ac6e3c5c57E
+_ZN5style10properties9longhands12color_adjust16cascade_property17hc80f830304347969E
+_ZN5style10properties9longhands10math_style16cascade_property17h5a45dc1ecf2258e7E
+_ZN5style10properties9longhands14font_synthesis16cascade_property17h3449054dd692ca57E
+?NS_NewScrollbarFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?MoveToNewPosition@nsScrollbarFrame@@QAEHXZ
+?QueryFrame@nsScrollbarFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+??0nsButtonBoxFrame@@QAE@PAVComputedStyle@mozilla@@PAVnsPresContext@@W4ClassID@nsQueryFrame@@@Z
+?NS_NewSliderFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?QueryFrame@nsSliderFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?AddListener@nsSliderFrame@@AAEXXZ
+?ContinueInterruptedParsingAsync@nsHtml5TreeOpExecutor@@UAEXXZ
+?Create@IdleTaskRunner@mozilla@@SA?AU?$already_AddRefed@VIdleTaskRunner@mozilla@@@@ABV?$function@$$A6A_NVTimeStamp@mozilla@@@Z@std@@PBDI_J_NABV?$function@$$A6A_NXZ@5@@Z
+?_Copy@?$_Func_impl_no_alloc@P6A_NVTimeStamp@mozilla@@@Z_NV12@@std@@EBEPAV?$_Func_base@_NVTimeStamp@mozilla@@@2@PAX@Z
+?GetIdleDeadlineHint@nsRefreshDriver@@SA?AVTimeStamp@mozilla@@V23@@Z
+??1nsHtml5TreeOperation@@QAE@XZ
+??1nsHtml5HtmlAttributes@@QAE@XZ
+?clear@nsHtml5HtmlAttributes@@QAEXH@Z
+??$NSSConstructor@VContentSignatureVerifier@@@psm@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@ContentSignatureVerifier@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??1PageTableCache@ProtoAndIfaceCache@dom@mozilla@@QAE@XZ
+??0RequestInit@dom@mozilla@@QAE@XZ
+?Init@RequestInit@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?FetchRequest@dom@mozilla@@YA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVnsIGlobalObject@@ABVRequestOrUSVString@12@ABURequestInit@12@W4CallerType@12@AAVErrorResult@2@@Z
+?Constructor@Request@dom@mozilla@@SA?AV?$SafeRefPtr@VRequest@dom@mozilla@@@3@PAVnsIGlobalObject@@PAUJSContext@@ABVRequestOrUSVString@23@ABURequestInit@23@AAVErrorResult@3@@Z
+?GetOrCreateSignal@Request@dom@mozilla@@QAEPAVAbortSignal@23@XZ
+??0InternalRequest@dom@mozilla@@QAE@ABV?$nsTSubstring@D@@0@Z
+??_GResponse@dom@mozilla@@EAEPAXI@Z
+??1InternalRequest@dom@mozilla@@QAE@XZ
+?Set@InternalHeaders@dom@mozilla@@QAEXABV?$nsTSubstring@D@@0AAVErrorResult@3@@Z
+??0Request@dom@mozilla@@QAE@PAVnsIGlobalObject@@V?$SafeRefPtr@VInternalRequest@dom@mozilla@@@2@PAVAbortSignal@12@@Z
+?Delete@InternalHeaders@dom@mozilla@@QAEXABV?$nsTSubstring@D@@AAVErrorResult@3@@Z
+?NS_NewLoadGroup@@YA?AW4nsresult@@PAPAVnsILoadGroup@@PAVnsIPrincipal@@@Z
+?GetInternalRequest@Request@dom@mozilla@@QAE?AV?$SafeRefPtr@VInternalRequest@dom@mozilla@@@3@XZ
+?State@FetchObserver@dom@mozilla@@QBE?AW4FetchState@23@XZ
+?nsNetShutdown@@YAXXZ
+?MarkAsForeign@OfflineCacheEntryAsForeignMarker@nsHttpChannel@net@mozilla@@QAE?AW4nsresult@@XZ
+?SetLoadGroup@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsILoadGroup@@@Z
+?GetUseTrackingProtection@LoadContext@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetLoadGroup@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsILoadGroup@@@Z
+?GetLoadGroup@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsILoadGroup@@@Z
+?Append@InternalHeaders@dom@mozilla@@QAEXABV?$nsTSubstring@D@@0AAVErrorResult@3@@Z
+?SetRequestMethod@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?ParseMethod@nsHttpRequestHead@net@mozilla@@SAXABV?$nsTString@D@@AAW4ParsedMethodType@123@@Z
+??$AppendElementsInternal@UnsTArrayFallibleAllocator@@E@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@AAEPAEPBEI@Z
+?GetDefaultReferrerPolicy@ReferrerInfo@dom@mozilla@@SA?AW4ReferrerPolicy@23@PAVnsIHttpChannel@@PAVnsIURI@@_N@Z
+?Write@?$IPDLParamTraits@VParentLoadInfoForwarderArgs@net@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVParentLoadInfoForwarderArgs@net@3@@Z
+?ShouldAllowAccessFor@ContentBlocking@mozilla@@SA_NPAVnsIChannel@@PAVnsIURI@@PAI@Z
+??0nsAlertsService@@QAE@XZ
+?GetThirdPartyFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?CloneWithNewPolicy@ReferrerInfo@dom@mozilla@@QBE?AU?$already_AddRefed@VReferrerInfo@dom@mozilla@@@@W4ReferrerPolicy@23@@Z
+?SetReferrerInfoWithoutClone@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIReferrerInfo@@@Z
+?SetReferrerInfoInternal@HttpBaseChannel@net@mozilla@@QAE?AW4nsresult@@PAVnsIReferrerInfo@@_N11@Z
+?ClearHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@@Z
+?ComputeReferrer@ReferrerInfo@dom@mozilla@@AAE?AW4nsresult@@PAVnsIHttpChannel@@@Z
+?GetReferrerInfo@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIReferrerInfo@@@Z
+?SetContentDisposition@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetFetchCacheMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?GetFetchCacheMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?SetIntegrityMetadata@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?AncestorBrowsingContextIDs@LoadInfo@net@mozilla@@UAEABV?$nsTArray@_K@@XZ
+?SetPreferCacheLoadOverBypass@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?GetOriginalURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+??0nsProtocolProxyService@net@mozilla@@QAE@XZ
+?Init@nsProtocolProxyService@net@mozilla@@QAE?AW4nsresult@@XZ
+?QueryInterface@nsProtocolProxyService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsProtocolProxyService@net@mozilla@@UAGKXZ
+??$mozCreateComponent@VnsWindowsSystemProxySettings@@@@YA?AU?$already_AddRefed@VnsISupports@@@@XZ
+?IsHostProxyEntry@system@toolkit@mozilla@@YA_NABV?$nsTSubstring@D@@0@Z
+??0nsPreloadedStream@net@mozilla@@QAE@PAVnsIAsyncInputStream@@PBDI@Z
+?AddRef@nsFileStream@@WDA@AGKXZ
+?AsyncResolve2@nsProtocolProxyService@net@mozilla@@UAG?AW4nsresult@@PAVnsIChannel@@IPAVnsIProtocolProxyCallback@@PAVnsISerialEventTarget@@PAPAVnsICancelable@@@Z
+?AsyncResolveInternal@nsProtocolProxyService@net@mozilla@@AAE?AW4nsresult@@PAVnsIChannel@@IPAVnsIProtocolProxyCallback@@PAPAVnsICancelable@@_NPAVnsISerialEventTarget@@@Z
+?GetDefaultPort@nsHttpsHandler@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+?SchemeIsFile@net@mozilla@@YA_NPAVnsIURI@@@Z
+??0ProxyAutoConfig@net@mozilla@@QAE@XZ
+?SetThreadLocalIndex@ProxyAutoConfig@net@mozilla@@QAEXI@Z
+?QueryInterface@nsWindowsDHCPClient@windowsDHCPClient@system@toolkit@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IsPotentiallyTrustworthyLoopbackHost@nsMixedContentBlocker@@SA_NABV?$nsTSubstring@D@@@Z
+??1RequestInit@dom@mozilla@@QAE@XZ
+??1IdlePeriodState@mozilla@@QAE@XZ
+?GetIdlePeriodHint@MainThreadIdlePeriod@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@2@@Z
+?NS_GetTimerDeadlineHintOnCurrentThread@@YA?AVTimeStamp@mozilla@@V12@I@Z
+?ReleaseListeners@HttpBaseChannel@net@mozilla@@MAEXXZ
+?QueryInterface@CancelableIdleRunnable@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+UnregisterWeakMemoryReporter
+?OrientImage@nsLayoutUtils@@SA?AU?$already_AddRefed@VimgIContainer@@@@PAVimgIContainer@@ABW4StyleImageOrientation@mozilla@@@Z
+?GetOrientation@DynamicImage@image@mozilla@@UAG?AUOrientation@23@XZ
+?Orient@ImageOps@image@mozilla@@SA?AU?$already_AddRefed@VimgIContainer@@@@PAVimgIContainer@@UOrientation@23@@Z
+?BeginTransitionToPart@MultipartImage@image@mozilla@@QAEXPAVImage@23@@Z
+?GetType@ImageWrapper@image@mozilla@@UAG?AW4nsresult@@PAG@Z
+?Release@DynamicImage@image@mozilla@@UAGKXZ
+??_GImageWrapper@image@mozilla@@MAEPAXI@Z
+?isFieldInitializer@JSFunction@@QBE_NXZ
+?ComputeVisibility@nsDisplayBackgroundImage@@UAE_NPAVnsDisplayListBuilder@@PAVnsRegion@@@Z
+?PaintInternal@nsDisplayBackgroundImage@@IAEXPAVnsDisplayListBuilder@@PAVgfxContext@@ABUnsRect@@PAU4@@Z
+?PaintStyleImageLayer@nsCSSRendering@@SA?AW4ImgDrawResult@image@mozilla@@ABUPaintBGParams@1@AAVgfxContext@@@Z
+?DrawBackgroundImage@nsLayoutUtils@@SA?AW4ImgDrawResult@image@mozilla@@AAVgfxContext@@PAVnsIFrame@@PAVnsPresContext@@PAVimgIContainer@@W4SamplingFilter@gfx@4@ABUnsRect@@5ABUnsSize@@ABUnsPoint@@5IW4ExtendMode@gfx@4@M@Z
+?NotifySVGChanged@SVGDisplayContainerFrame@mozilla@@UAEXI@Z
+?BuildDisplayList@SVGDisplayContainerFrame@mozilla@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+??1?$nsTArray_Impl@V?$UniquePtr@V?$AlignedTArray@M$0CA@@@V?$DefaultDelete@V?$AlignedTArray@M$0CA@@@@mozilla@@@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??0nsNativeDragTarget@@QAE@PAVnsIWidget@@@Z
+??0nsBaseDragService@@QAE@XZ
+?QueryInterface@nsBaseDragService@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsBaseDragService@@UAGKXZ
+?Release@nsNativeDragTarget@@UAGKXZ
+?emitIterated@ForInEmitter@frontend@js@@QAE_NXZ
+?emitInitialize@ForInEmitter@frontend@js@@QAE_NXZ
+?emitEnd@ForInEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?Dispatch@LazyIdleThread@mozilla@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?Release@LazyIdleThread@mozilla@@UAGKXZ
+?ToLowerCase@@YAXAAV?$nsTSubstring@_S@@@Z
+?growStorageBy@?$Vector@V?$nsTString@_S@@$0A@VMallocAllocPolicy@mozilla@@@mozilla@@AAE_NI@Z
+?Info@ConsoleInstance@dom@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@VValue@JS@@@23@@Z
+?FillInBMInfo@LoopChoiceNode@internal@v8@@UAEXPAVIsolate@23@HHPAVBoyerMooreLookahead@23@_N@Z
+?Constructor@AbortController@dom@mozilla@@SA?AU?$already_AddRefed@VAbortController@dom@mozilla@@@@ABVGlobalObject@23@AAVErrorResult@3@@Z
+?WrapObject@AbortController@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@AbortController_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVAbortController@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+??1?$BindingJSObjectCreator@VWorklet@dom@mozilla@@@dom@mozilla@@QAE@XZ
+?Signal@AbortController@dom@mozilla@@QAEPAVAbortSignal@23@XZ
+?WrapObject@AbortSignal@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@AbortSignal_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVAbortSignal@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetProtoObjectHandle@AbortSignal_Binding@dom@mozilla@@YA?AV?$Handle@PAVJSObject@@@JS@@PAUJSContext@@@Z
+?TrySetToByteStringSequenceSequence@OwningByteStringSequenceSequenceOrByteStringByteStringRecord@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AA_N_N@Z
+?TrySetToByteStringByteStringRecord@OwningByteStringSequenceSequenceOrByteStringByteStringRecord@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AA_N_N@Z
+??$ReplaceElementsAtInternal@UnsTArrayFallibleAllocator@@E@?$nsTArray_Impl@EUnsTArrayFallibleAllocator@@@@AAEPAEIIPBEI@Z
+?Constructor@Headers@dom@mozilla@@SA?AU?$already_AddRefed@VHeaders@dom@mozilla@@@@ABVGlobalObject@23@ABV?$Optional@VByteStringSequenceSequenceOrByteStringByteStringRecord@dom@mozilla@@@23@AAVErrorResult@3@@Z
+?TrimHTTPWhitespace@nsHttp@net@mozilla@@YAXABV?$nsTSubstring@D@@AAV4@@Z
+?ToIPC@InternalHeaders@dom@mozilla@@QAEXAAV?$nsTArray@VHeadersEntry@dom@mozilla@@@@AAW4HeadersGuardEnum@23@@Z
+?IsReasonableHeaderValue@nsHttp@net@mozilla@@YA_NABV?$nsTSubstring@D@@@Z
+?IsForbiddenRequestHeader@nsContentUtils@@SA_NABV?$nsTSubstring@D@@@Z
+?StringBeginsWith@@YA_NABV?$nsTSubstring@D@@0P6AHPBD1II@Z@Z
+?Find@?$nsTString@D@@QBEHPBD_NHH@Z
+nscstring_fallible_append_latin1_to_utf8_check
+??0AbortSignal@dom@mozilla@@QAE@PAVnsIGlobalObject@@_N@Z
+?Follow@AbortFollower@dom@mozilla@@QAEXPAVAbortSignalImpl@23@@Z
+?SetRequestHeader@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0_N@Z
+?SetHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@0_N@Z
+?ResolveAtom@nsHttp@net@mozilla@@YA?AUnsHttpAtom@23@PBD@Z
+??1InternalHeaders@dom@mozilla@@EAE@XZ
+?IsAllowedNonCorsContentType@nsContentUtils@@SA_NABV?$nsTSubstring@D@@@Z
+?GetTextEditorFromAnonymousNodeWithoutCreation@nsContentUtils@@SAPAVTextEditor@mozilla@@PAVnsIContent@@@Z
+?NS_ParseRequestContentType@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV?$nsTString@D@@1@Z
+?do_GetNetUtil@@YA?AU?$already_AddRefed@VnsINetUtil@@@@PAW4nsresult@@@Z
+?net_ParseRequestContentType@@YAXABV?$nsTSubstring@D@@AAV1@1PA_N@Z
+?Uninit@OwningByteStringSequenceSequenceOrByteStringByteStringRecord@dom@mozilla@@QAEXXZ
+?Dispatch@NeckoTargetHolder@net@mozilla@@IAE?AW4nsresult@@$$QAU?$already_AddRefed@VnsIRunnable@@@@I@Z
+?GC@ProxyAutoConfig@net@mozilla@@QAEXXZ
+?InitAsync@nsStreamListenerTee@net@mozilla@@UAG?AW4nsresult@@PAVnsIStreamListener@@PAVnsIEventTarget@@PAVnsIOutputStream@@PAVnsIRequestObserver@@@Z
+??0BatchProcessedStackGenerator@Telemetry@mozilla@@QAE@XZ
+?GetInfoForSelf@SharedLibraryInfo@@SA?AV1@XZ
+?RFindCharInSet@?$nsTString@_S@@QBEHPB_SH@Z
+??0SharedLibrary@@QAE@ABV0@@Z
+?disable_native_allocations@profiler@mozilla@@YAXXZ
+?GetSingleton@nsNavBookmarks@@SA?AU?$already_AddRefed@VnsNavBookmarks@@@@XZ
+?QueryInterface@nsNavBookmarks@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsNavBookmarks@@UAGKXZ
+?GetDataType@?$Variant@V?$nsTString@D@@$0A@@storage@mozilla@@UAEGXZ
+??_G?$Variant@V?$nsTString@D@@$0A@@storage@mozilla@@EAEPAXI@Z
+?PushDeviceSpaceClipRects@DrawTarget@gfx@mozilla@@UAEXPBU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@23@I@Z
+?SetPathOnContext@PathCairo@gfx@mozilla@@QBEXPAU_cairo@@@Z
+_do_cairo_gstate_user_to_backend
+_moz_cairo_region_create_rectangle
+_moz_cairo_region_intersect
+_moz_pixman_region32_copy
+_cairo_surface_fill
+_cairo_composite_rectangles_init_for_fill
+_cairo_clip_rectangle
+_moz_pixman_region32_n_rects
+_cairo_box_round_to_rectangle
+_cairo_boxes_init
+_cairo_boxes_limit
+_cairo_path_fixed_fill_rectilinear_to_boxes
+_cairo_boxes_add
+_cairo_boxes_fini
+_moz_cairo_push_group_with_content
+_cairo_surface_create_similar_solid
+_cairo_surface_create_similar_scratch
+_cairo_pattern_init_solid
+_cairo_path_fixed_transform
+_cairo_path_fixed_translate
+_cairo_gstate_redirect_target
+_cairo_clip_init_copy_transformed
+_cairo_matrix_is_identity
+_cairo_path_fixed_init
+_cairo_traps_init
+_cairo_traps_tessellate_rectangle
+_cairo_bentley_ottmann_tessellate_rectangular_traps
+_moz_cairo_pop_group_to_source
+_moz_cairo_paint_with_alpha
+_cairo_color_init_rgba
+_cairo_gstate_mask
+_cairo_pattern_is_opaque
+_cairo_surface_mask
+_cairo_composite_rectangles_init_for_mask
+_moz_pixman_image_create_solid_fill
+_moz_pixman_image_fill_boxes
+_pixman_image_get_solid
+_cairo_pattern_fini
+_cairo_win32_surface_fallback_fill
+_cairo_traps_limit
+_cairo_polygon_init
+_cairo_polygon_limit
+_cairo_path_fixed_fill_rectilinear_to_traps
+_cairo_polygon_fini
+_freed_pool_put_search
+?SameValue@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1PA_N@Z
+?GetNextThreadName@nsThreadPoolNaming@@QAE?AV?$nsTString@D@@ABV?$nsTSubstring@D@@@Z
+?GetCapability@Permission@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetUsername@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?SetOrigin@nsHttpRequestHead@net@mozilla@@QAEXABV?$nsTSubstring@D@@0H@Z
+?HasHeaderValue@nsHttpRequestHead@net@mozilla@@QAE_NUnsHttpAtom@23@PBD@Z
+?FindToken@nsHttp@net@mozilla@@YAPBDPBD00@Z
+?IsThirdPartyTrackingResource@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?IsTrackingClassificationFlag@UrlClassifierCommon@net@mozilla@@SA_NI@Z
+?GetTopWindowURI@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIURI@@@Z
+?MaybeGetDocumentURIBeingLoaded@AntiTrackingUtils@mozilla@@SA?AU?$already_AddRefed@VnsIURI@@@@PAVnsIChannel@@@Z
+?GetTopWindowURI@HttpBaseChannel@net@mozilla@@IAE?AW4nsresult@@PAVnsIURI@@PAPAV5@@Z
+?GetTopWindowForChannel@ThirdPartyUtil@@UAG?AW4nsresult@@PAVnsIChannel@@PAVnsIURI@@PAPAVmozIDOMWindowProxy@@@Z
+?GetAssociatedWindow@LoadContext@mozilla@@UAG?AW4nsresult@@PAPAVmozIDOMWindowProxy@@@Z
+?GetIsMainDocumentChannel@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?MaybeAddAltSvcForTesting@nsHttpHandler@net@mozilla@@QAEXPAVnsIURI@@ABV?$nsTSubstring@D@@1_N2PAVnsIInterfaceRequestor@@ABVOriginAttributes@3@@Z
+?Transaction@nsHttpConnection@net@mozilla@@UAEPAVnsAHttpTransaction@23@XZ
+??0nsHttpConnectionInfo@net@mozilla@@QAE@ABV?$nsTSubstring@D@@H000PAVnsProxyInfo@12@ABVOriginAttributes@2@0H_N@Z
+?SetCharAt@?$nsTString@D@@QAE_N_SI@Z
+?GetAltServiceMapping@AltSvcCache@net@mozilla@@QAE?AU?$already_AddRefed@VAltSvcMapping@net@mozilla@@@@ABV?$nsTSubstring@D@@0H_N10ABVOriginAttributes@3@11@Z
+?Complete@TransactionObserver@net@mozilla@@QAEX_N0W4nsresult@@@Z
+?RecvOnTransactionClose@AltSvcTransactionParent@net@mozilla@@QAE?AVIPCResult@ipc@3@AB_N@Z
+?GetIsSSL@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetDirectory@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAuthEntryForPath@nsHttpAuthCache@net@mozilla@@QAE?AW4nsresult@@PBD0H0ABV?$nsTSubstring@D@@PAPAVnsHttpAuthEntry@23@@Z
+?AddConnectionHeader@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAVnsHttpRequestHead@23@I@Z
+?GetTRRMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAW4TRRMode@nsIRequest@@@Z
+??0nsDNSPrefetch@@QAE@PAVnsIURI@@AAVOriginAttributes@mozilla@@W4TRRMode@nsIRequest@@PAVnsIDNSListener@@_N@Z
+?Prefetch@nsDNSPrefetch@@AAE?AW4nsresult@@I@Z
+?Release@nsDNSPrefetch@@UAGKXZ
+?XRE_IsSocketProcess@@YA_NXZ
+?AddCookiesToRequest@HttpBaseChannel@net@mozilla@@IAEXXZ
+?GetCookieService@nsHttpHandler@net@mozilla@@QAEPAVnsICookieService@@XZ
+?GetStreamConverterService@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAPAVnsIStreamConverterService@@@Z
+?AnalyzeChannel@ThirdPartyUtil@@UAG?AV?$EnumSet@W4ThirdPartyAnalysis@@I@mozilla@@PAVnsIChannel@@_NPAVnsIURI@@P6A_NPAVnsILoadInfo@@@ZPAI@Z
+?IsThirdPartySocialTrackingResource@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetSingleton@NativeDNSResolverOverrideParent@net@mozilla@@SA?AU?$already_AddRefed@VnsINativeDNSResolverOverride@@@@XZ
+?MatchesPrincipalForPermission@Permission@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@_NPA_N@Z
+?EqualsForPermission@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@_NPA_N@Z
+??0TRRLoadInfo@net@mozilla@@QAE@PAVnsIURI@@I@Z
+?CreateTRRServiceChannel@nsHttpHandler@net@mozilla@@AAE?AW4nsresult@@PAVnsIURI@@PAVnsIProxyInfo@@I0PAVnsILoadInfo@@PAPAVnsIChannel@@@Z
+??0TRRServiceChannel@net@mozilla@@IAE@XZ
+?Release@TRRLoadInfo@net@mozilla@@UAGKXZ
+?IsPermanentRedirect@nsHttp@net@mozilla@@YA_NI@Z
+?Close@SpeculativeTransaction@net@mozilla@@UAEXW4nsresult@@@Z
+?SetInitialRwin@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetIsTRRServiceChannel@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?ExplicitSetUploadStream@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIInputStream@@ABV?$nsTSubstring@D@@_J1_N@Z
+?GetRequestHeader@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@@Z
+?SetupTRRServiceChannelInternal@TRR@net@mozilla@@CA?AW4nsresult@@PAVnsIHttpChannel@@_N@Z
+??_GnsServerTiming@@EAEPAXI@Z
+?SetEmptyRequestHeader@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetEmptyHeader@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetContentType@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?GetAbsolutePositioningEnabled@HTMLEditor@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetBaseDomainFromHost@nsEffectiveTLDService@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@IAAV3@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@V?$CopyableTArray@V?$nsTString@D@@@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?AddSecFetchHeader@SecFetch@dom@mozilla@@SAXPAVnsIHttpChannel@@@Z
+?ShouldIntercept@HttpBaseChannel@net@mozilla@@IAE_NPAVnsIURI@@@Z
+?NS_NewNotificationCallbacksAggregation@@YA?AW4nsresult@@PAVnsIInterfaceRequestor@@PAVnsILoadGroup@@PAPAV2@@Z
+?NS_NewInterfaceRequestorAggregation@@YA?AW4nsresult@@PAVnsIInterfaceRequestor@@0PAVnsIEventTarget@@PAPAV2@@Z
+?TickleWifi@nsHttpHandler@net@mozilla@@AAEXPAVnsIInterfaceRequestor@@@Z
+?Clone@nsHttpConnectionInfo@net@mozilla@@QBE?AU?$already_AddRefed@VnsHttpConnectionInfo@net@mozilla@@@@XZ
+?SpeculativeConnect@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVnsHttpConnectionInfo@23@PAVnsIInterfaceRequestor@@IPAVSpeculativeTransaction@23@_N@Z
+?NS_NewInterfaceRequestorAggregation@@YA?AW4nsresult@@PAVnsIInterfaceRequestor@@0PAPAV2@@Z
+??0NullHttpTransaction@net@mozilla@@QAE@PAVnsHttpConnectionInfo@12@PAVnsIInterfaceRequestor@@I@Z
+??0nsHttpActivityDistributor@net@mozilla@@QAE@XZ
+?SelectAlpnFromAlpnList@net@mozilla@@YA?AV?$Tuple@V?$nsTString@D@@_N@2@ABV?$nsTArray@V?$nsTString@D@@@@_N1@Z
+?Release@EncryptingOutputStreamBase@quota@dom@mozilla@@UAGKXZ
+XPCOMService_GetCacheStorageService
+?GetLoadContextInfo@net@mozilla@@YAPAVLoadContextInfo@12@PAVnsIChannel@@@Z
+??0CacheControlParser@net@mozilla@@QAE@ABV?$nsTSubstring@D@@@Z
+?IsSafeMethod@nsHttpRequestHead@net@mozilla@@QAE_NXZ
+?QueueSize@CacheIOThread@net@mozilla@@QAEI_N@Z
+?GetCacheIndexEntryAttrs@CacheStorage@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@ABV?$nsTSubstring@D@@PA_NPAI@Z
+?GetCacheIndexEntryAttrs@CacheStorageService@net@mozilla@@QAE?AW4nsresult@@PBVCacheStorage@23@ABV?$nsTSubstring@D@@1PA_NPAI@Z
+?DoSpeculativeConnection@nsHttpConnectionMgr@net@mozilla@@QAEXPAVSpeculativeTransaction@23@_N@Z
+?DispatchAbstractTransaction@nsHttpConnectionMgr@net@mozilla@@AAE?AW4nsresult@@PAVConnectionEntry@23@PAVnsAHttpTransaction@23@IPAVHttpConnectionBase@23@H@Z
+??0ConnectionEntry@net@mozilla@@QAE@PAVnsHttpConnectionInfo@12@@Z
+??1nsHttpConnectionInfo@net@mozilla@@EAE@XZ
+?RestrictConnections@ConnectionEntry@net@mozilla@@QAE_NXZ
+?GetH2orH3ActiveConn@nsHttpConnectionMgr@net@mozilla@@QAEPAVHttpConnectionBase@23@PAVConnectionEntry@23@_N1@Z
+?GetH2orH3ActiveConn@ConnectionEntry@net@mozilla@@QAEPAVHttpConnectionBase@23@XZ
+?AtActiveConnectionLimit@nsHttpConnectionMgr@net@mozilla@@AAE_NPAVConnectionEntry@23@I@Z
+?TotalActiveConnections@ConnectionEntry@net@mozilla@@QBEIXZ
+??0HalfOpenSocket@net@mozilla@@QAE@PAVConnectionEntry@12@PAVnsAHttpTransaction@12@I_N22@Z
+?SetupPrimaryStreams@HalfOpenSocket@net@mozilla@@QAE?AW4nsresult@@XZ
+??0nsSocketTransport@net@mozilla@@QAE@XZ
+?GetOrCreate@nsSocketProviderService@@SA?AU?$already_AddRefed@VnsISocketProviderService@@@@XZ
+?Get@DataStorage@mozilla@@QAE?AV?$nsTString@D@@ABV3@W4DataStorageType@2@@Z
+??0nsSSLSocketProvider@@QAE@XZ
+?SetQoSBits@nsSocketTransport@net@mozilla@@UAG?AW4nsresult@@E@Z
+?SetPrintPageDelay@nsPrintSettings@@UAG?AW4nsresult@@H@Z
+?Release@nsSocketTransport@net@mozilla@@UAGKXZ
+?QueryInterface@nsSocketInputStream@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsSocketOutputStream@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ActivateTimeoutTick@nsHttpConnectionMgr@net@mozilla@@AAEXXZ
+?Init@nsTimer@@UAG?AW4nsresult@@PAVnsIObserver@@II@Z
+?InsertIntoHalfOpens@ConnectionEntry@net@mozilla@@QAEXPAVHalfOpenSocket@23@@Z
+?Release@HalfOpenSocket@net@mozilla@@UAGKXZ
+?Release@NullHttpTransaction@net@mozilla@@UAGKXZ
+??0nsHttpTransaction@net@mozilla@@QAE@XZ
+?AddHttpChannel@nsHttpHandler@net@mozilla@@QAEX_KPAVnsISupports@@@Z
+?EnsureTopLevelOuterContentWindowId@HttpBaseChannel@net@mozilla@@IAEXXZ
+?EnsureRequestContext@HttpBaseChannel@net@mozilla@@IAE_NXZ
+?IsThirdPartyWindowOrChannel@nsContentUtils@@SA_NPAVnsPIDOMWindowInner@@PAVnsIChannel@@PAVnsIURI@@@Z
+?CreateTrafficCategory@HttpTrafficAnalyzer@net@mozilla@@SA?AW4HttpTrafficCategory@23@_N00W4ClassOfService@123@W4TrackingClassification@123@@Z
+?Init@nsHttpTransaction@net@mozilla@@UAE?AW4nsresult@@IPAVnsHttpConnectionInfo@23@PAVnsHttpRequestHead@23@PAVnsIInputStream@@_K_NPAVnsIEventTarget@@PAVnsIInterfaceRequestor@@PAVnsITransportEventSink@@3W4HttpTrafficCategory@23@PAVnsIRequestContext@@II43$$QAV?$function@$$A6AX$$QAVTransactionObserverResult@net@mozilla@@@Z@std@@$$QAV?$function@$$A6A?AW4nsresult@@IABV?$nsTSubstring@D@@0PAVHttpTransactionShell@net@mozilla@@@Z@std@@PAVHttpTransactionShell@23@I@Z
+XPCOMService_GetHttpActivityDistributor
+?ConvertRequestHeadToString@nsHttp@net@mozilla@@YA?AV?$nsTString@D@@AAVnsHttpRequestHead@23@_N11@Z
+?Flatten@nsHttpRequestHead@net@mozilla@@QAEXAAV?$nsTSubstring@D@@_N@Z
+?ParseHeaderLine@nsHttpHeaderArray@net@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PAUnsHttpAtom@23@PAV5@2@Z
+?GetThrottleQueue@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIInputChannelThrottleQueue@@@Z
+?AddTransaction@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVHttpTransactionShell@23@H@Z
+?AsHttpTransaction@nsHttpTransaction@net@mozilla@@UAEPAV123@XZ
+?AsyncRead@nsHttpTransaction@net@mozilla@@UAE?AW4nsresult@@PAVnsIStreamListener@@PAPAVnsIRequest@@@Z
+?Init@FinalizationWitnessService@mozilla@@QAE?AW4nsresult@@XZ
+?QueryInterface@FinalizationWitnessService@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Make@FinalizationWitnessService@mozilla@@UAG?AW4nsresult@@PBDPB_SPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Stub6@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?AddEntries@?$nsCategoryCache@VnsIObserver@@@@AAEXAAV?$nsCOMArray@VnsIObserver@@@@@Z
+?Trigger@Probe@probes@mozilla@@QAE?AW4nsresult@@XZ
+?NotifyVisitedStatus@VisitedQuery@places@mozilla@@QAEXXZ
+?Release@AsyncStatement@storage@mozilla@@UAGKXZ
+?GetScriptableFlags@AsyncStatementJSHelper@storage@mozilla@@UAEIXZ
+?GetSharedBlob@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IPAIPAPBE@Z
+?ExecuteAsync@AsyncStatement@storage@mozilla@@UAG?AW4nsresult@@PAVmozIStorageStatementCallback@@PAPAVmozIStoragePendingStatement@@@Z
+?ExecuteAsync@StorageBaseStatementInternal@storage@mozilla@@MAG?AW4nsresult@@PAVmozIStorageStatementCallback@@PAPAVmozIStoragePendingStatement@@@Z
+??1StatementData@storage@mozilla@@QAE@XZ
+??0Error@storage@mozilla@@QAE@HPBD@Z
+?Create@ProxyConfigLookup@net@mozilla@@SA?AW4nsresult@@$$QAV?$function@$$A6AXPAVnsIProxyInfo@@W4nsresult@@@Z@std@@PAVnsIURI@@IPAPAVnsICancelable@@@Z
+?Claim@HalfOpenSocket@net@mozilla@@QAE_NXZ
+?OnTransportStatus@NullHttpTransaction@net@mozilla@@UAEXPAVnsITransport@@W4nsresult@@_J@Z
+?Run@CallbackComplete@storage@mozilla@@UAG?AW4nsresult@@XZ
+?AvailableForDispatchNow@ConnectionEntry@net@mozilla@@QAE_NXZ
+?ReportHttp3Connection@nsHttpConnectionMgr@net@mozilla@@QAEXPAVHttpConnectionBase@23@@Z
+?GetBlockingTransactionCount@RequestContext@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?TryToRunPacedRequest@nsHttpTransaction@net@mozilla@@QAE_NXZ
+?SubmitEvent@EventTokenBucket@net@mozilla@@QAE?AW4nsresult@@PAVATokenBucketEvent@23@PAPAVnsICancelable@@@Z
+?DispatchTransaction@nsHttpConnectionMgr@net@mozilla@@AAE?AW4nsresult@@PAVConnectionEntry@23@PAVnsHttpTransaction@23@PAVHttpConnectionBase@23@@Z
+?GetIdleConnection@ConnectionEntry@net@mozilla@@QAE?AU?$already_AddRefed@VnsHttpConnection@net@mozilla@@@@_N0PA_N@Z
+?FindConnToClaim@ConnectionEntry@net@mozilla@@QAE_NPAVPendingTransactionInfo@23@@Z
+?TryClaimingHalfOpen@PendingTransactionInfo@net@mozilla@@QAE_NPAVHalfOpenSocket@23@@Z
+?InsertTransaction@PendingTransactionQueue@net@mozilla@@QAEXPAVPendingTransactionInfo@23@_N@Z
+?TopLevelOuterContentWindowId@nsHttpTransaction@net@mozilla@@UAE_KXZ
+?InsertTransactionSorted@PendingTransactionQueue@net@mozilla@@QAEXAAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@PAVPendingTransactionInfo@23@_N@Z
+?OnPendingQueueInserted@nsHttpTransaction@net@mozilla@@QAEXXZ
+??_GCallbackComplete@storage@mozilla@@UAEPAXI@Z
+?Accept@RegExpLookaround@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?ToNode@RegExpLookaround@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+??0Builder@RegExpLookaround@internal@v8@@QAE@_NPAVRegExpNode@23@HHHH@Z
+?ForMatch@Builder@RegExpLookaround@internal@v8@@QAEPAVRegExpNode@34@PAV534@@Z
+?BeginSubmatch@ActionNode@internal@v8@@SAPAV123@HHPAVRegExpNode@23@@Z
+?FilterOneByte@NegativeLookaroundChoiceNode@internal@v8@@UAEPAVRegExpNode@23@H@Z
+?Accept@NegativeLookaroundChoiceNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?CheckAtStart@RegExpBytecodeGenerator@internal@v8@@UAEXHPAVLabel@23@@Z
+?CheckCharacterLT@RegExpBytecodeGenerator@internal@v8@@UAEX_SPAVLabel@23@@Z
+?WriteStackPointerToRegister@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?SetDtx@AudioEncoder@webrtc@@UAE_N_N@Z
+?ReadCurrentPositionFromRegister@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?ReadStackPointerFromRegister@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?initialize@Row@storage@mozilla@@QAE?AW4nsresult@@PAUsqlite3_stmt@@@Z
+?Release@Row@storage@mozilla@@UAGKXZ
+?Type@CSSNamespaceRule@dom@mozilla@@UBEGXZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@V?$nsTArray@E@@@?$nsTArray_Impl@V?$nsTArray@E@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTArray@E@@$$QAV1@@Z
+?QueryInterface@Row@storage@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DoShiftReloadConnectionCleanupWithConnInfo@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVnsHttpConnectionInfo@23@@Z
+?RebuildHashKey@nsHttpConnectionInfo@net@mozilla@@AAEXXZ
+?SetHeaderOnce@nsHttpRequestHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@PBD_N@Z
+?IsTelemetryEnabledAndNotSleepPhase@nsSocketTransportService@net@mozilla@@QAE_NXZ
+?ConditionallyStopTimeoutTick@nsHttpConnectionMgr@net@mozilla@@AAEXXZ
+?_Swap@?$_Func_class@W4nsresult@@IABV?$nsTSubstring@D@@ABV2@PAVHttpTransactionShell@net@mozilla@@@std@@IAEXAAV12@@Z
+??0nsHttpConnection@net@mozilla@@QAE@XZ
+??0HttpConnectionBase@net@mozilla@@QAE@XZ
+?nsMultiplexInputStreamConstructor@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?SetRelativePath@nsLocalFile@@UAG?AW4nsresult@@PAVnsIFile@@ABV?$nsTSubstring@D@@@Z
+?AddRef@nsHttpConnection@net@mozilla@@UAGKXZ
+?BootstrapTimings@HttpConnectionBase@net@mozilla@@QAEXUTimingStruct@23@@Z
+?GetSecurityCallbacks@NullHttpTransaction@net@mozilla@@UAEXPAPAVnsIInterfaceRequestor@@@Z
+?GetCanInvokeJS@nsThread@@UAG?AW4nsresult@@PA_N@Z
+?FindTransactionHelper@nsHttpConnectionMgr@net@mozilla@@AAE?AU?$already_AddRefed@VPendingTransactionInfo@net@mozilla@@@@_NPAVConnectionEntry@23@PAVnsAHttpTransaction@23@@Z
+?QueryInterface@nsHttpConnection@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?PendingQueueLength@PendingTransactionQueue@net@mozilla@@QBEIXZ
+?OnMsgReclaimConnection@nsHttpConnectionMgr@net@mozilla@@AAEXPAVHttpConnectionBase@23@@Z
+?RemoveActiveConnection@ConnectionEntry@net@mozilla@@QAE?AW4nsresult@@PAVHttpConnectionBase@23@@Z
+?poison@?$OutOfLinePoisoner@$0BEA@@detail@mozilla@@SAXPAXI@Z
+?CanReuse@nsHttpConnection@net@mozilla@@UAE_NXZ
+?Close@nsHttpConnection@net@mozilla@@UAEXW4nsresult@@_N@Z
+?ProcessPendingQ@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVnsHttpConnectionInfo@23@@Z
+?MaxPersistConnections@nsHttpConnectionMgr@net@mozilla@@ABEIPAVConnectionEntry@23@@Z
+?ProcessSpdyPendingQ@nsHttpConnectionMgr@net@mozilla@@AAEXPAVConnectionEntry@23@@Z
+?AppendPendingQForFocusedWindow@ConnectionEntry@net@mozilla@@QAEX_KAAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@I@Z
+?AppendPendingQForFocusedWindow@PendingTransactionQueue@net@mozilla@@QAEX_KAAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@I@Z
+?AppendPendingQForNonFocusedWindows@ConnectionEntry@net@mozilla@@QAEX_KAAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@I@Z
+?AppendPendingQForNonFocusedWindows@PendingTransactionQueue@net@mozilla@@QAEX_KAAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@I@Z
+?RemoveElementsAt@?$nsTArray_Impl@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAEXII@Z
+?IsAlreadyClaimedInitializingConn@PendingTransactionInfo@net@mozilla@@QAE_NXZ
+?Compact@ConnectionEntry@net@mozilla@@QAEXXZ
+?Release@nsHttpConnection@net@mozilla@@UAGKXZ
+?SetFastOpenStatus@nsHttpConnection@net@mozilla@@QAEXE@Z
+?HandleChunkedContent@nsHttpChunkedDecoder@net@mozilla@@QAE?AW4nsresult@@PADIPAI1@Z
+??1HttpConnectionBase@net@mozilla@@QAE@XZ
+??1?$nsMainThreadPtrHolder@VnsIInterfaceRequestor@@@@AAE@XZ
+?AddRef@nsHttpConnectionInfo@net@mozilla@@UAGKXZ
+?Release@TransportSecurityInfo@psm@mozilla@@WM@AGKXZ
+??1NullHttpTransaction@net@mozilla@@MAE@XZ
+?GetResultByIndex@Row@storage@mozilla@@UAG?AW4nsresult@@IPAPAVnsIVariant@@@Z
+?GetAsDouble@?$Variant@_J$0A@@storage@mozilla@@UAG?AW4nsresult@@PAN@Z
+?GetConnectStart@nsHttpTransaction@net@mozilla@@UAE?AVTimeStamp@3@XZ
+?GetRequestStart@nsHttpTransaction@net@mozilla@@UAE?AVTimeStamp@3@XZ
+??0AsyncBindingParams@storage@mozilla@@QAE@PAVmozIStorageBindingParamsArray@@@Z
+?GetAsInt64@XPCVariant@@UAG?AW4nsresult@@PA_J@Z
+?ConvertToInt64@nsDiscriminatedUnion@@QBE?AW4nsresult@@PA_J@Z
+?Release@nsHttpConnectionInfo@net@mozilla@@UAGKXZ
+??_GnsHttpChannel@net@mozilla@@MAEPAXI@Z
+??1nsHttpChannel@net@mozilla@@MAE@XZ
+?RemoveHttpChannel@nsHttpHandler@net@mozilla@@QAEX_K@Z
+?reset@?$UniquePtr@VnsHttpResponseHead@net@mozilla@@V?$DefaultDelete@VnsHttpResponseHead@net@mozilla@@@3@@mozilla@@QAEXPAVnsHttpResponseHead@net@2@@Z
+??1HttpBaseChannel@net@mozilla@@MAE@XZ
+?Release@ConsoleReportCollector@mozilla@@UAGKXZ
+??1nsHttpRequestHead@net@mozilla@@QAE@XZ
+?OnTransportStatus@nsHttpTransaction@net@mozilla@@UAEXPAVnsITransport@@W4nsresult@@_J@Z
+?Create@nsSyncStreamListener@@SA?AU?$already_AddRefed@VnsISyncStreamListener@@@@XZ
+?ObjectCreateWithTemplate@js@@YAPAVPlainObject@1@PAUJSContext@@V?$Handle@PAVPlainObject@js@@@JS@@@Z
+?ConstructCertArrayFromUniqueCertList@nsNSSCertificateDB@@SA?AW4nsresult@@ABV?$unique_ptr@UCERTCertListStr@@UUniqueCERTCertListDeletePolicy@mozilla@@@std@@AAV?$nsTArray@V?$RefPtr@VnsIX509Cert@@@@@@@Z
+?Create@nsNSSCertificate@@SAPAV1@PAUCERTCertificateStr@@@Z
+?ConstructFromDER@nsNSSCertificate@@SAPAV1@PADH@Z
+?Release@nsNSSCertificate@@UAGKXZ
+?GetTemplateObjectForNative@TypedArrayObject@js@@SA_NPAUJSContext@@P6A_N0IPAVValue@JS@@@ZVHandleValueArray@5@V?$MutableHandle@PAVJSObject@@@5@@Z
+??$is@VArrayBufferObjectMaybeShared@js@@@JSObject@@QBE_NXZ
+?JS_NewUint8Array@@YAPAVJSObject@@PAUJSContext@@I@Z
+?GetCert@nsNSSCertificate@@UAGPAUCERTCertificateStr@@XZ
+??0nsNSSCertTrust@@QAE@PAUCERTCertTrustStr@@@Z
+?HasTrustedCA@nsNSSCertTrust@@QAE_N_N0@Z
+?IsCertBuiltInRoot@psm@mozilla@@YA?AW4Result@pkix@2@PAUCERTCertificateStr@@AA_N@Z
+?zone@?$TracerConcrete@VJSObject@@@ubi@JS@@EBEPAVZone@3@XZ
+??0AutoSetNewObjectMetadata@js@@QAE@PAUJSContext@@@Z
+?init@ArrayBufferViewObject@js@@QAE_NPAUJSContext@@PAVArrayBufferObjectMaybeShared@2@VBufferSize@2@2I@Z
+?initFromIterablePackedArray@?$ElementSpecific@EVUnsharedOps@js@@@js@@SA_NPAUJSContext@@V?$Handle@PAVTypedArrayObject@js@@@JS@@V?$Handle@PAVArrayObject@js@@@5@@Z
+?IsTypedArrayIndex@js@@YA?AV?$Result@V?$Maybe@_K@mozilla@@UError@JS@@@mozilla@@PAUJSContext@@UPropertyKey@JS@@@Z
+?TypedArray_bufferGetter@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetURI@nsHttpChannel@net@mozilla@@WFKI@AG?AW4nsresult@@PAPAVnsIURI@@@Z
+?Caps@nsHttpTransaction@net@mozilla@@UAEIXZ
+?SetConnection@nsHttpTransaction@net@mozilla@@UAEXPAVnsAHttpConnection@23@@Z
+?CancelPacing@nsHttpTransaction@net@mozilla@@QAEXW4nsresult@@@Z
+?UsingProxy@nsHttpConnectionInfo@net@mozilla@@QAE_NXZ
+?Version@ConnectionHandle@net@mozilla@@UAE?AW4HttpVersion@23@XZ
+?Version@nsHttpConnection@net@mozilla@@UAE?AW4HttpVersion@23@XZ
+?Close@nsHttpTransaction@net@mozilla@@UAEXW4nsresult@@@Z
+?RemoveActiveTransaction@nsHttpConnectionMgr@net@mozilla@@QAEXPAVnsHttpTransaction@23@ABV?$Maybe@_N@3@@Z
+?IsReused@ConnectionHandle@net@mozilla@@UAE_NXZ
+?TimeToLive@nsHttpConnection@net@mozilla@@QAEIXZ
+?RemoveDispatchedAsBlocking@nsHttpTransaction@net@mozilla@@QAEXXZ
+?Release@nsHttpTransaction@net@mozilla@@UAGKXZ
+?DecrementActiveConnCount@nsHttpConnectionMgr@net@mozilla@@IAEXPAVHttpConnectionBase@23@@Z
+??_GConnectionHandle@net@mozilla@@EAEPAXI@Z
+?GetStatus@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAW44@@Z
+??1PendingTransactionInfo@net@mozilla@@EAE@XZ
+?Timings@nsHttpTransaction@net@mozilla@@UAE?BUTimingStruct@23@XZ
+?AddToBlocklist@TRRService@net@mozilla@@QAEXABV?$nsTSubstring@D@@0_N1@Z
+?DeleteSelfOnConsumerThread@nsHttpTransaction@net@mozilla@@AAEXXZ
+?SetClassOfService@nsHttpTransaction@net@mozilla@@QAEXI@Z
+?AccumulateHttpTransferredSize@HttpTrafficAnalyzer@net@mozilla@@QAEXW4HttpTrafficCategory@23@_K1@Z
+?Run@ProxyReleaseRunnable@net@mozilla@@UAG?AW4nsresult@@XZ
+??_GProxyReleaseRunnable@net@mozilla@@EAEPAXI@Z
+?GetProxyConnectResponseCode@nsHttpTransaction@net@mozilla@@UAEHXZ
+?HTTPSSVCReceivedStage@nsHttpTransaction@net@mozilla@@UAE?AV?$Maybe@I@3@XZ
+?ProcessCrossOriginEmbedderPolicyHeader@HttpBaseChannel@net@mozilla@@IAE?AW4nsresult@@XZ
+?ProcessCrossOriginResourcePolicyHeader@HttpBaseChannel@net@mozilla@@IAE?AW4nsresult@@XZ
+?GetCorsMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?ComputeCrossOriginOpenerPolicyMismatch@HttpBaseChannel@net@mozilla@@IAE?AW4nsresult@@XZ
+?ValidateMIMEType@HttpBaseChannel@net@mozilla@@IAE?AW4nsresult@@XZ
+??$ThrowErrorWithMessage@$0BO@$$V@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXW4nsresult@@@Z
+?ClearUnionData@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXXZ
+?CreateErrorMessageHelper@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEAAV?$nsTArray@V?$nsTString@D@@@@W4ErrNum@dom@3@W4nsresult@@@Z
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@$$QAVErrorResult@2@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?SetPendingException@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXPAUJSContext@@PBD@Z
+?ReportErrorNumberUTF8Array@js@@YA_NPAUJSContext@@W4IsWarning@1@P6APBUJSErrorFormatString@@PAXI@Z2IPAPBD@Z
+?MaybeReject@Promise@dom@mozilla@@AAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?reject@PromiseObject@js@@SA_NPAUJSContext@@V?$Handle@PAVPromiseObject@js@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+?GetBody@?$FetchBody@VResponse@dom@mozilla@@@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@AAVErrorResult@3@@Z
+?FlushConsoleReports@ConsoleReportCollector@mozilla@@UAEXPAVnsILoadGroup@@W4ReportAction@nsIConsoleReportCollector@@@Z
+?GetInnerWindowID@nsContentUtils@@SA_KPAVnsILoadGroup@@@Z
+?FlushReportsToConsole@ConsoleReportCollector@mozilla@@UAEX_KW4ReportAction@nsIConsoleReportCollector@@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringHashKey@@_K@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+??1InternalResponse@dom@mozilla@@AAE@XZ
+?Init@NSSErrorsService@psm@mozilla@@QAE?AW4nsresult@@XZ
+?QueryInterface@NSSErrorsService@psm@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@NSSErrorsService@psm@mozilla@@UAGKXZ
+?GetErrorClass@NSSErrorsService@psm@mozilla@@UAG?AW4nsresult@@W44@PAI@Z
+?IsNSSErrorCode@psm@mozilla@@YA_NH@Z
+?ResponseIsComplete@nsHttpTransaction@net@mozilla@@UAE_NXZ
+?HasStickyConnection@nsHttpTransaction@net@mozilla@@UBE_NXZ
+?GetTransferSize@nsHttpTransaction@net@mozilla@@UAE_JXZ
+?GetRequestSize@nsHttpTransaction@net@mozilla@@UAE_JXZ
+?TakeResponseTrailers@nsHttpTransaction@net@mozilla@@UAE?AV?$UniquePtr@VnsHttpHeaderArray@net@mozilla@@V?$DefaultDelete@VnsHttpHeaderArray@net@mozilla@@@3@@3@XZ
+?GetBrowserUpgradeInsecureRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetBrowserDidUpgradeInsecureRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?HasWriteAccess@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@_NPA_N@Z
+?MaybeReportTimingData@HttpBaseChannel@net@mozilla@@IAEXXZ
+?MaybeFlushConsoleReports@HttpBaseChannel@net@mozilla@@IAEXXZ
+?FlushConsoleReports@HttpBaseChannel@net@mozilla@@UAEXPAVnsILoadGroup@@W4ReportAction@nsIConsoleReportCollector@@@Z
+?RemoveAsNonTailRequest@HttpBaseChannel@net@mozilla@@IAEXXZ
+?GetDataSize@CacheEntry@net@mozilla@@QAE?AW4nsresult@@PA_J@Z
+?RemoveEntryForceValid@CacheStorageService@net@mozilla@@AAEXABV?$nsTSubstring@D@@0@Z
+?RemoveEntry@CacheStorageService@net@mozilla@@AAE_NPAVCacheEntry@23@_N@Z
+?UnregisterEntry@CacheStorageService@net@mozilla@@AAEXPAVCacheEntry@23@@Z
+?Clear@nsHttpAuthIdentity@net@mozilla@@QAEXXZ
+?CacheFileDoomed@CacheStorageService@net@mozilla@@AAEXPAVnsILoadContextInfo@@ABV?$nsTSubstring@D@@1@Z
+?AsyncFunctionThrown@js@@YA_NPAUJSContext@@V?$Handle@PAVPromiseObject@js@@@JS@@V?$Handle@VValue@JS@@@4@@Z
+?FindExceptionStackForConsoleReport@xpc@@YAXPAVnsPIDOMWindowInner@@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVJSObject@@@4@V?$MutableHandle@PAVJSObject@@@4@3@Z
+?ExceptionStackOrNull@JS@@YAPAVJSObject@@V?$Handle@PAVJSObject@@@1@@Z
+?GetSavedFrameSource@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@V?$MutableHandle@PAVJSString@@@1@W4SavedFrameSelfHosted@1@@Z
+?GetFirstSubsumedSavedFrame@js@@YAPAVJSObject@@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@JS@@W4SavedFrameSelfHosted@6@@Z
+?GetSavedFrameLine@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@PAIW4SavedFrameSelfHosted@1@@Z
+?CreateScriptError@@YA?AU?$already_AddRefed@VnsScriptErrorBase@@@@PAVnsGlobalWindowInner@@V?$Handle@V?$Maybe@VValue@JS@@@mozilla@@@JS@@V?$Handle@PAVJSObject@@@4@2@Z
+??0nsScriptErrorWithStack@@QAE@V?$Handle@V?$Maybe@VValue@JS@@@mozilla@@@JS@@V?$Handle@PAVJSObject@@@2@1@Z
+??0nsScriptErrorNote@@QAE@XZ
+?JS_ErrorFromException@@YAPAVJSErrorReport@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ErrorFromException@js@@YAPAVJSErrorReport@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?getOrCreateErrorReport@ErrorObject@js@@QAEPAVJSErrorReport@@PAUJSContext@@@Z
+?EmptyString@@YAABV?$nsTString@_S@@XZ
+?InitWithWindowID@nsScriptErrorBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@00IIIABV?$nsTSubstring@D@@_K_N@Z
+?GetException@nsScriptErrorBase@@UAG?AW4nsresult@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?LogMessage@nsConsoleService@@UAG?AW4nsresult@@PAVnsIConsoleMessage@@@Z
+?GetHttpChannelId@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?Release@nsIOService@net@mozilla@@W7AGKXZ
+??1AbortFollower@dom@mozilla@@MAE@XZ
+?Error@ConsoleInstance@dom@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@VValue@JS@@@23@@Z
+??$EnsureCapacity@UnsTArrayFallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@V?$Heap@VValue@JS@@@JS@@@@@@IAE?AUnsTArrayFallibleResult@@II@Z
+??0ConsoleStackEntry@dom@mozilla@@QAE@XZ
+?Count@Console@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@_S@@@Z
+?GetSavedFrameSourceId@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@PAIW4SavedFrameSelfHosted@1@@Z
+?GetSavedFrameColumn@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@PAIW4SavedFrameSelfHosted@1@@Z
+?GetSavedFrameFunctionDisplayName@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@V?$MutableHandle@PAVJSString@@@1@W4SavedFrameSelfHosted@1@@Z
+?GetSavedFrameAsyncCause@JS@@YA?AW4SavedFrameResult@1@PAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@V?$MutableHandle@PAVJSString@@@1@W4SavedFrameSelfHosted@1@@Z
+?Profile@Console@dom@mozilla@@SAXABVGlobalObject@23@ABV?$Sequence@VValue@JS@@@23@@Z
+??4ConsoleStackEntry@dom@mozilla@@QAEAAU012@ABU012@@Z
+??0ConsoleEvent@dom@mozilla@@QAE@XZ
+?SetAsString@OwningUnsignedLongLongOrString@dom@mozilla@@QAEAAV?$nsTString@_S@@XZ
+?GetPassword@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ToObjectInternal@ConsoleEvent@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?ToObjectInternal@ConsoleTimerStart@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?JS_DefineProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBD11I@Z
+?Uninit@OwningUnsignedLongLongOrString@dom@mozilla@@QAEXXZ
+?QueryInterface@nsUrlClassifierUtils@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?RFindInReadable@@YA_NABV?$nsTSubstring@D@@AAV?$nsReadingIterator@D@@1P6AHPBD2II@Z@Z
+?Matches@VariableLengthPrefixSet@safebrowsing@mozilla@@QBE?AW4nsresult@@IABV?$nsTSubstring@D@@PAI@Z
+?Contains@nsUrlClassifierPrefixSet@@UAG?AW4nsresult@@IPA_N@Z
+?Unfollow@AbortFollower@dom@mozilla@@QAEXXZ
+?GetDataType@?$Variant@N$0A@@storage@mozilla@@UAEGXZ
+??1?$nsMainThreadPtrHolder@VnsICacheInfoChannel@@@@AAE@XZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAVNS_ConvertUTF16toUTF8@@@?$nsTArray_Impl@V?$nsTString@D@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@D@@AAVNS_ConvertUTF16toUTF8@@@Z
+?Set@URLParams@mozilla@@QAEXABV?$nsTSubstring@_S@@0@Z
+?NS_IsSafeMethodNav@@YA_NPAVnsIChannel@@@Z
+?IsThirdPartyChannel@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIChannel@@PA_N@Z
+?GetHasValidUserGestureActivation@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?NS_ShouldSecureUpgrade@@YA?AW4nsresult@@PAVnsIURI@@PAVnsILoadInfo@@PAVnsIPrincipal@@_N3ABVOriginAttributes@mozilla@@AA_N$$QAV?$function@$$A6AX_NW4nsresult@@@Z@std@@5@Z
+?IsPotentiallyTrustworthyLoopbackURL@nsMixedContentBlocker@@SA_NPAVnsIURI@@@Z
+?ShouldPrepareForIntercept@ServiceWorkerInterceptController@dom@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsIChannel@@PA_N@Z
+?IsNonSubresourceRequest@nsContentUtils@@SA_NPAVnsIChannel@@@Z
+?StoreRegistration@ServiceWorkerManager@dom@mozilla@@QAEXPAVnsIPrincipal@@PAVServiceWorkerRegistrationInfo@23@@Z
+?IsCacheSlow@CachePerfStats@CacheFileUtils@net@mozilla@@SA_NXZ
+?IsFromCache@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Release@nsUrlClassifierDBService@@UAGKXZ
+?GetPhishingProtectionFeatures@UrlClassifierFeatureFactory@net@mozilla@@SAXAAV?$nsTArray@V?$RefPtr@VnsIUrlClassifierFeature@@@@@@@Z
+?GetHttpResponseHeadFromCacheEntry@nsHttp@net@mozilla@@YA?AW4nsresult@@PAVnsICacheEntry@@PAVnsHttpResponseHead@23@@Z
+?ParseCachedOriginalHeaders@nsHttpResponseHead@net@mozilla@@QAE?AW4nsresult@@PAD@Z
+?net_FindCharNotInSet@@YAPADPBD00@Z
+?net_RFindCharNotInSet@@YAPADPBD00@Z
+?ParseCachedHead@nsHttpResponseHead@net@mozilla@@QAE?AW4nsresult@@PBD@Z
+?Char@Token@?$TokenizerBase@D@mozilla@@SA?AV123@D@Z
+?HasHeader@nsHttpResponseHead@net@mozilla@@QBE_NUnsHttpAtom@23@@Z
+?IsForcedValidEntry@CacheStorageService@net@mozilla@@AAE_NABV?$nsTSubstring@D@@0@Z
+?IsForcedValidEntry@CacheStorageService@net@mozilla@@AAE_NABV?$nsTSubstring@D@@@Z
+?DetermineFramingAndImmutability@nsHttp@net@mozilla@@YAXPAVnsICacheEntry@@PAVnsHttpResponseHead@23@_NPA_N3@Z
+?GetHeader@nsHttpResponseHead@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@AAV?$nsTSubstring@D@@@Z
+?ValidationRequired@nsHttp@net@mozilla@@YA_N_NPAVnsHttpResponseHead@23@I000AAVnsHttpRequestHead@23@PAVnsICacheEntry@@AAVCacheControlParser@23@0PA_N@Z
+?MustValidate@nsHttpResponseHead@net@mozilla@@QAE_NXZ
+?ComputeFreshnessLifetime@nsHttpResponseHead@net@mozilla@@QAE?AW4nsresult@@PAI@Z
+?ComputeCurrentAge@nsHttpResponseHead@net@mozilla@@QAE?AW4nsresult@@IIPAI@Z
+?BinSearch@nsUrlClassifierPrefixSet@@ABEIIII@Z
+?GetName@NamedWorkerGlobalScopeMixin@workerinternals@dom@mozilla@@QBEXAAVDOMString@34@@Z
+?Length@ThrottledEventQueue@mozilla@@QBEIXZ
+?Count@?$EventQueueInternal@$0EA@@detail@mozilla@@QBEIABV?$BaseAutoLock@AAVMutex@mozilla@@@23@@Z
+??0MessageEventRunnable@dom@mozilla@@QAE@PAVWorkerPrivate@12@W4TargetAndBusyBehavior@WorkerRunnable@12@@Z
+?IsSharedMemoryAllowed@WorkerPrivate@dom@mozilla@@QBE_NXZ
+?Read@StructuredCloneHolder@dom@mozilla@@QAEXPAVnsIGlobalObject@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@ABVCloneDataPolicy@7@AAVErrorResult@3@@Z
+?TakeTransferredPortsAsSequence@StructuredCloneHolder@dom@mozilla@@QAE_NAAV?$Sequence@V?$OwningNonNull@VMessagePort@dom@mozilla@@@mozilla@@@23@@Z
+??0MessageEvent@dom@mozilla@@QAE@PAVEventTarget@12@PAVnsPresContext@@PAVWidgetEvent@2@@Z
+?InitMessageEvent@MessageEvent@dom@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@W4CanBubble@3@W4Cancelable@3@V?$Handle@VValue@JS@@@JS@@11ABU?$Nullable@VWindowProxyOrMessagePortOrServiceWorker@dom@mozilla@@@23@ABV?$Sequence@V?$OwningNonNull@VMessagePort@dom@mozilla@@@mozilla@@@23@@Z
+?InitKeyboardEventJS@KeyboardEvent@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@_N1PAVnsGlobalWindowInner@@0I1111@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$OwningNonNull@VMessagePort@dom@mozilla@@@mozilla@@@?$nsTArray_Impl@V?$RefPtr@VMessagePort@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$RefPtr@VMessagePort@dom@mozilla@@@@PBV?$OwningNonNull@VMessagePort@dom@mozilla@@@mozilla@@I@Z
+?ClearCachedPortsValue@MessageEvent_Binding@dom@mozilla@@YAXPAVMessageEvent@23@@Z
+?Wrap@MessageEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMessageEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetData@MessageEvent@dom@mozilla@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?CancelTransaction@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAVHttpTransactionShell@23@W44@@Z
+?CancelTransaction@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@PAVHttpTransactionShell@23@W44@@Z
+?Write@nsCheckSummedOutputStream@@UAG?AW4nsresult@@PBDIPAI@Z
+?IsClassifierBlockingErrorCode@UrlClassifierFeatureFactory@net@mozilla@@SA_NW4nsresult@@@Z
+?GetCacheToken@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?OpenAlternativeOutputStream@CacheEntry@net@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@D@@_JPAPAVnsIAsyncOutputStream@@@Z
+??1?$nsMainThreadPtrHolder@VnsIPrincipal@@@@AAE@XZ
+?RemoveTransFromPendingQ@ConnectionEntry@net@mozilla@@QAE_NPAVnsHttpTransaction@23@@Z
+?GetTransactionPendingQHelper@PendingTransactionQueue@net@mozilla@@QAEPAV?$nsTArray@V?$RefPtr@VPendingTransactionInfo@net@mozilla@@@@@@PAVnsAHttpTransaction@23@@Z
+?AbandonHalfOpenAndForgetActiveConn@PendingTransactionInfo@net@mozilla@@QAEXXZ
+?Abandon@HalfOpenSocket@net@mozilla@@QAEXXZ
+?GetBlocklistState@nsPluginTag@@UAG?AW4nsresult@@PAI@Z
+?prepareForElemCallee@CallOrNewEmitter@frontend@js@@QAEAAVElemOpEmitter@23@_N0@Z
+?CloseAllActiveConnsWithNullTransactcion@ConnectionEntry@net@mozilla@@QAEXW4nsresult@@@Z
+??$AtomizeChars@_S@js@@YAPAVJSAtom@@PAUJSContext@@IPB_SI@Z
+??$NewStringCopyNDontDeflate@$0A@_S@js@@YAPAVJSLinearString@@PAUJSContext@@PB_SIW4InitialHeap@gc@0@@Z
+?GetDontFollowRedirects@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetIOService@nsHttpHandler@net@mozilla@@QAE?AW4nsresult@@PAPAVnsIIOService@@@Z
+?PropagateReferenceIfNeeded@HttpBaseChannel@net@mozilla@@SAXPAVnsIURI@@AAV?$nsCOMPtr@VnsIURI@@@@@Z
+?ParsedMethod@nsHttpRequestHead@net@mozilla@@QAE?AW4ParsedMethodType@123@XZ
+?ShouldRewriteRedirectToGET@HttpBaseChannel@net@mozilla@@SA_NIW4ParsedMethodType@nsHttpRequestHead@23@@Z
+?CloneLoadInfoForRedirect@HttpBaseChannel@net@mozilla@@QAE?AU?$already_AddRefed@VnsILoadInfo@@@@PAVnsIURI@@I@Z
+?Clone@LoadInfo@net@mozilla@@QBE?AU?$already_AddRefed@VnsILoadInfo@@@@XZ
+?SetOriginAttributes@LoadInfo@net@mozilla@@UAE?AW4nsresult@@ABVOriginAttributes@3@@Z
+?GetRemoteAddress@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetURIPrincipal@HttpBaseChannel@net@mozilla@@IAEPAVnsIPrincipal@@XZ
+??0nsRedirectHistoryEntry@net@mozilla@@QAE@PAVnsIPrincipal@@PAVnsIURI@@ABV?$nsTSubstring@D@@@Z
+?SerializeProxyInfo@nsProxyInfo@net@mozilla@@SAXPAV123@AAV?$nsTArray@VProxyInfoCloneArgs@net@mozilla@@@@@Z
+?SetupReplacementChannel@HttpBaseChannel@net@mozilla@@MAE?AW4nsresult@@PAVnsIURI@@PAVnsIChannel@@_NI@Z
+?CloneReplacementChannelConfig@HttpBaseChannel@net@mozilla@@QAE?AUReplacementChannelConfig@123@_NIW4ReplacementReason@123@@Z
+??$?4VTimedChannelInfo@dom@mozilla@@X@?$Maybe@VTimedChannelInfo@dom@mozilla@@@mozilla@@QAEAAV01@$$QAV01@@Z
+?ConfigureReplacementChannel@HttpBaseChannel@net@mozilla@@SAXPAVnsIChannel@@ABUReplacementChannelConfig@123@W4ReplacementReason@123@@Z
+?SetRedirectCount@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@E@Z
+?SetInternalRedirectCount@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@E@Z
+?SetRedirectStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetRedirectEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetAllRedirectsSameOrigin@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetLaunchServiceWorkerStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetLaunchServiceWorkerEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetDispatchFetchEventStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetDispatchFetchEventEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetHandleFetchEventStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SetHandleFetchEventEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@VTimeStamp@3@@Z
+?SameOriginWithOriginalUri@HttpBaseChannel@net@mozilla@@MAE_NPAVnsIURI@@@Z
+?SetLastRedirectFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetAllowSTS@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetTopLevelOuterContentWindowId@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_K@Z
+?SetIsMainDocumentChannel@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetThirdPartyFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetAllowSpdy@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetAllowHttp3@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetAllowAltSvc@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetBeConservative@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetTlsFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@I@Z
+?SetCacheKeysRedirectChain@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAV?$nsTArray@V?$nsTString@D@@@@@Z
+?SetAltDataForChild@HttpBaseChannel@net@mozilla@@UAEX_N@Z
+?CheckRedirectLimit@HttpBaseChannel@net@mozilla@@IBE?AW4nsresult@@I@Z
+?SetApplyConversion@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?GetAllowListFutureDocumentsCreatedFromThisRedirectChain@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetFirstPartyClassificationFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?CompleteAllowAccessFor@ContentBlocking@mozilla@@CA?AV?$RefPtr@V?$MozPromise@H_N$00@mozilla@@@@PAVBrowsingContext@dom@2@_KPAVnsIPrincipal@@ABV?$nsTString@D@@IW4StorageAccessPermissionGrantedReason@ContentBlockingNotifier@2@ABV?$function@$$A6A?AV?$RefPtr@V?$MozPromise@H_N$00@mozilla@@@@XZ@std@@@Z
+?GetNextSubDomainPrincipal@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAPAVnsIPrincipal@@@Z
+?GetNextSubDomain@nsEffectiveTLDService@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV3@@Z
+?GetCanceled@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?CheckSameOrigin@nsContentUtils@@SA?AW4nsresult@@PAVnsIChannel@@0@Z
+?MayLoadInternal@ContentPrincipal@mozilla@@MAE_NPAVnsIURI@@@Z
+?AddonAllowsLoad@BasePrincipal@mozilla@@QAE_NPAVnsIURI@@_N@Z
+?GetInitialClientInfo@LoadInfo@net@mozilla@@UAEABV?$Maybe@VClientInfo@dom@mozilla@@@3@XZ
+?GetRedirectMode@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?HasCrossOriginOpenerPolicyMismatch@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetRequestMethod@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetResponseStatus@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+XPCOMService_GetHistory
+?GetSingleton@History@places@mozilla@@SA?AU?$already_AddRefed@VHistory@places@mozilla@@@@XZ
+??0BaseHistory@mozilla@@IAE@XZ
+?QueryInterface@History@places@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddRef@DecodedSurfaceProvider@image@mozilla@@UAGKXZ
+?Release@History@places@mozilla@@UAGKXZ
+?GenerateGUID@places@mozilla@@YA?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?SaveLastVisit@nsDocShell@@SAXPAVnsIChannel@@PAVnsIURI@@I@Z
+?CreateStatement@?$StatementCache@VmozIStorageStatement@@@storage@mozilla@@AAE?AU?$already_AddRefed@VmozIStorageStatement@@@@ABV?$nsTSubstring@D@@@Z
+?GetSharedUTF8String@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IPAIPAPBD@Z
+?SetAsInt64@nsVariantBase@@UAG?AW4nsresult@@_J@Z
+?GetAsInt64@nsVariantBase@@UAG?AW4nsresult@@PA_J@Z
+?isThrowingOutOfMemory@JSContext@@QAE_NXZ
+?WillRedirect@nsHttpChannel@net@mozilla@@SA_NABVnsHttpResponseHead@23@@Z
+?finishAtom@StringBuffer@js@@QAEPAVJSAtom@@XZ
+?emitLoadArgumentsObjectLengthResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?loadArgumentsObjectLength@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?emitLoadArgumentsObjectArgResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?loadArgumentsObjectElement@MacroAssembler@jit@js@@QAEXURegister@23@0VValueOperand@23@0PAVLabel@23@@Z
+?NukeJSStackFrames@xpc@@YAXPAVRealm@JS@@@Z
+?NukeCrossCompartmentWrappers@js@@YA_NPAUJSContext@@ABUCompartmentFilter@1@PAVRealm@JS@@W4NukeReferencesToWindow@1@W4NukeReferencesFromTarget@1@@Z
+?match@BrowserCompartmentMatcher@mozilla@@UBE_NPAVCompartment@JS@@@Z
+?MightBeWebContentCompartment@xpc@@YA_NPAVCompartment@JS@@@Z
+??0Enum@ObjectWrapperMap@js@@QAE@AAV12@PAVCompartment@JS@@@Z
+?IsWindowProxy@js@@YA_NPAVJSObject@@@Z
+?goToNext@Enum@ObjectWrapperMap@js@@AAEXXZ
+?GetUTF8String@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IAAV?$nsTSubstring@D@@@Z
+?GetInt64@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IPA_J@Z
+?BeginCTypesCall@WorkerPrivate@dom@mozilla@@QAEXXZ
+?EndCTypesCall@WorkerPrivate@dom@mozilla@@QAEXXZ
+?GetInt32@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IPAH@Z
+?Init@PostMessageOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?PostMessageToParent@WorkerPrivate@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$Sequence@PAVJSObject@@@23@AAVErrorResult@3@@Z
+?GetAsAUTF8String@nsVariantBase@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ConvertToAUTF8String@nsDiscriminatedUnion@@QBE?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAverage@CachePerfStats@CacheFileUtils@net@mozilla@@SAIW4EDataType@1234@_N@Z
+?ParseInt64@nsHttp@net@mozilla@@YA_NPBDPAPBDPA_J@Z
+?GetDataSize@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@PA_J@Z
+?GetAltDataType@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAltDataType@CacheEntry@net@mozilla@@QAE?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetClientInfo@nsIGlobalObject@@UBE?AV?$Maybe@VClientInfo@dom@mozilla@@@mozilla@@XZ
+?QueryInterface@NativeOSFileInternalsService@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Read@NativeOSFileInternalsService@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@PAVnsINativeOSFileSuccessCallback@@PAVnsINativeOSFileErrorCallback@@PAUJSContext@@@Z
+??0NativeOSFileReadOptions@dom@mozilla@@QAE@XZ
+?Init@NativeOSFileReadOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?WriteAtomic@NativeOSFileInternalsService@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@1PAVnsINativeOSFileSuccessCallback@@PAVnsINativeOSFileErrorCallback@@PAUJSContext@@@Z
+??1ThreadSafeWorkerRef@dom@mozilla@@AAE@XZ
+?InterruptRunningCode@wasm@js@@YAXPAUJSContext@@@Z
+?Blocklisted@AddrHostRecord@@QAE_NPBTNetAddr@net@mozilla@@@Z
+?IsLoopbackAddr@NetAddr@net@mozilla@@QBE_NXZ
+?IsIPAddrLocal@NetAddr@net@mozilla@@QBE_NXZ
+?GetContentType@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?IsJavascriptMIMEType@nsContentUtils@@SA_NABV?$nsTSubstring@_S@@@Z
+?LowerCaseEqualsASCII@?$nsTStringRepr@_S@detail@mozilla@@QBI_NPBD@Z
+?MonitorSocket@IOActivityMonitor@net@mozilla@@SA?AW4nsresult@@PAUPRFileDesc@@@Z
+?AttachSocket@nsSocketTransportService@net@mozilla@@UAG?AW4nsresult@@PAUPRFileDesc@@PAVnsASocketHandler@@@Z
+?NetAddrToPRNetAddr@net@mozilla@@YAXPBTNetAddr@12@PATPRNetAddr@@@Z
+?AttachNetworkDataCountLayer@net@mozilla@@YA?AW4nsresult@@PAUPRFileDesc@@@Z
+?createForContents@ArrayBufferObject@js@@SAPAV12@PAUJSContext@@VBufferSize@2@VBufferContents@12@@Z
+?wasmGrowToSizeInPlace@ArrayBufferObject@js@@SA_NVBufferSize@2@V?$Handle@PAVArrayBufferObject@js@@@JS@@V?$MutableHandle@PAVArrayBufferObject@js@@@5@PAUJSContext@@@Z
+?JS_NewUint8ArrayWithBuffer@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IH@Z
+?PRNetAddrToNetAddr@net@mozilla@@YAXPBTPRNetAddr@@PATNetAddr@12@@Z
+?DontReuseHttp3Conn@ConnectionEntry@net@mozilla@@QAEXXZ
+?InsertIntoIdleConnections@ConnectionEntry@net@mozilla@@QAEXPAVnsHttpConnection@23@@Z
+?NewIdleConnectionAdded@nsHttpConnectionMgr@net@mozilla@@QAEXI@Z
+?BeginIdleMonitoring@nsHttpConnection@net@mozilla@@QAEXXZ
+?ensureHasBuffer@TypedArrayObject@js@@SA_NPAUJSContext@@V?$Handle@PAVTypedArrayObject@js@@@JS@@@Z
+?IsArrayBufferObject@JS@@YA_NPAVJSObject@@@Z
+?ArrayBufferHasData@JS@@YA_NPAVJSObject@@@Z
+?GetArrayBufferByteLength@JS@@YAIPAVJSObject@@@Z
+?GetArrayBufferData@JS@@YAPAEPAVJSObject@@PA_NABVAutoRequireNoGC@1@@Z
+?CopyExternalData@StructuredCloneData@ipc@dom@mozilla@@QAE_NPBDI@Z
+?add@SetObject@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@@Z
+?CustomReadHandler@StructuredCloneHolder@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@PAUJSStructuredCloneReader@@ABVCloneDataPolicy@JS@@II@Z
+?Release@StructuredCloneBlob@dom@mozilla@@UAGKXZ
+?Deserialize@StructuredCloneBlob@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@_NV?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?JS_ReadUint32Pair@@YA_NPAUJSStructuredCloneReader@@PAI1@Z
+?JS_ReadBytes@@YA_NPAUJSStructuredCloneReader@@PAXI@Z
+?adopt@JSAutoStructuredCloneBuffer@@QAEX$$QAVJSStructuredCloneData@@IPBUJSStructuredCloneCallbacks@@PAX@Z
+?Wrap@StructuredCloneHolder_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVStructuredCloneBlob@23@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@7@@Z
+?ArraySliceDense@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@HH1@Z
+?switchToRealm@MacroAssembler@jit@js@@QAEXPBXURegister@23@@Z
+?CreateInterfaceObjects@TCPServerSocketEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetScriptableFlags@nsXPCComponents_utils_Sandbox@@UAEIXZ
+?Parse@SandboxOptions@xpc@@UAE_NXZ
+?JS_HasProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PBDPA_N@Z
+?ParseBoolean@OptionsBase@xpc@@IAE_NPBDPA_N@Z
+?CreateInterfaceObjects@MatchPattern_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@RTCDTMFSender_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ExecuteInGlobal@PrecompiledScript@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?NewObjectOperationWithTemplate@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?startBackgroundAllocTaskIfIdle@GCRuntime@gc@js@@AAEXXZ
+?CustomWriteHandler@StructuredCloneHolder@dom@mozilla@@UAE_NPAUJSContext@@PAUJSStructuredCloneWriter@@V?$Handle@PAVJSObject@@@JS@@PA_N@Z
+?writePair@SCOutput@js@@QAE_NII@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$RefPtr@VBlobImpl@dom@mozilla@@@@@?$nsTArray_Impl@V?$RefPtr@VBlobImpl@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$RefPtr@VBlobImpl@dom@mozilla@@@@PBV1@I@Z
+?Constructor@MatchGlob@extensions@mozilla@@SA?AU?$already_AddRefed@VMatchGlob@extensions@mozilla@@@@AAVGlobalObject@dom@3@ABV?$nsTSubstring@_S@@_NAAVErrorResult@3@@Z
+?WrapObject@MatchGlob@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@MatchGlob_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMatchGlob@extensions@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+??$_Sort_unchecked@PAVSharedLibrary@@P6A_NABV1@0@Z@std@@YAXPAVSharedLibrary@@0HP6A_NABV1@1@Z@Z
+??$_Partition_by_median_guess_unchecked@PAVSharedLibrary@@P6A_NABV1@0@Z@std@@YA?AU?$pair@PAVSharedLibrary@@PAV1@@0@PAVSharedLibrary@@0P6A_NABV2@1@Z@Z
+??$_Med3_unchecked@PAVSharedLibrary@@P6A_NABV1@0@Z@std@@YAXPAVSharedLibrary@@00P6A_NABV1@1@Z@Z
+??4SharedLibrary@@QAEAAV0@ABV0@@Z
+_ZN7tinystr8tinystr88TinyStr821is_ascii_alphanumeric17h4c6d330afbc43f36E
+??$_Insertion_sort_unchecked@PAVSharedLibrary@@P6A_NABV1@0@Z@std@@YAPAVSharedLibrary@@PAV1@QAV1@P6A_NABV1@2@Z@Z
+?WrapObject@MatchPattern@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@MatchPattern_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMatchPattern@extensions@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?OverlapsAll@MatchPatternSet@extensions@mozilla@@QBE_NABV123@@Z
+?WrapObject@WebExtensionContentScript@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+??4OwningMatchGlobOrString@dom@mozilla@@QAEAAV012@ABV012@@Z
+?Uninit@OwningMatchGlobOrString@dom@mozilla@@QAEXXZ
+?GetURL@WebExtensionPolicy@extensions@mozilla@@QBEXABV?$nsTSubstring@_S@@AAV4@AAVErrorResult@3@@Z
+?GetURL@WebExtensionPolicy@extensions@mozilla@@QBE?AV?$Result@V?$nsTString@_S@@W4nsresult@@@3@ABV?$nsTSubstring@_S@@@Z
+?s_HashKey@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringCaseInsensitiveHashKey@@V?$RefPtr@VModuleRecord@mozilla@@@@@@@@KAIPBX@Z
+?EnsureLongPath@mozilla@@YA_NAAV?$nsTSubstring@_S@@@Z
+?Wrap@ProcessMessageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVProcessMessageManager@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ProcessMessageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@MessageSender_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?DispatchAsyncMessage@nsFrameMessageManager@@IAEXPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@2AAVErrorResult@mozilla@@@Z
+?GetDelayedScripts@nsFrameMessageManager@@IAEXPAUJSContext@@AAV?$nsTArray@V?$nsTArray@VValue@JS@@@@@@AAVErrorResult@mozilla@@@Z
+?Copy@StructuredCloneData@ipc@dom@mozilla@@QAE_NABV1234@@Z
+??$?4VVendorInfo@mozilla@@X@?$Maybe@VVendorInfo@mozilla@@@mozilla@@QAEAAV01@$$QAV01@@Z
+?PreparePathForTelemetry@WinUtils@widget@mozilla@@SA_NAAV?$nsTSubstring@_S@@W4PathTransformFlags@123@@Z
+?Rebind@?$nsTDependentString@_S@@QAEXABV?$nsTString@_S@@I@Z
+??$EqualsIgnoreCase@_SX@?$nsTStringRepr@_S@detail@mozilla@@QBE_NPBDH@Z
+?GetResponseEmbedderPolicy@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAW4CrossOriginEmbedderPolicy@nsILoadInfo@@@Z
+?ComputeIsSecureContext@nsContentUtils@@SA_NPAVnsIChannel@@@Z
+?GetChannelResultPrincipalIfNotSandboxed@nsScriptSecurityManager@@UAE?AW4nsresult@@PAVnsIChannel@@PAPAVnsIPrincipal@@@Z
+?NS_GetCrossOriginEmbedderPolicyFromHeader@@YA?AW4CrossOriginEmbedderPolicy@nsILoadInfo@@ABV?$nsTSubstring@D@@@Z
+?GetSFVService@net@mozilla@@YA?AU?$already_AddRefed@VnsISFVService@@@@XZ
+_ZN3sfv6parser6Parser10parse_item17h1b6aebd84b300039E
+_ZN69_$LT$rust_decimal..decimal..Decimal$u20$as$u20$core..fmt..Display$GT$3fmt17ha80350f128ee2301E
+?ComputeCrossOriginOpenerPolicy@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@W4CrossOriginOpenerPolicy@nsILoadInfo@@PAW456@@Z
+?GetContentTypeOptionsHeader@nsHttpResponseHead@net@mozilla@@QAE_NAAV?$nsTSubstring@D@@@Z
+?GetResponseHeader@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@@Z
+?GetContentDisposition@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetContentDispositionHeader@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?AsBrowser@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIBrowser@@@@XZ
+?AggregatedQueryInterface@nsXPCWrappedJS@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetCrossOriginOpenerPolicy@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAW4CrossOriginOpenerPolicy@nsILoadInfo@@@Z
+?GetPropertyAsUint32@nsHashPropertyBagBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAI@Z
+?DoApplyContentConversions@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIStreamListener@@PAPAV5@PAVnsISupports@@@Z
+?GetParent@nsOpenWindowInfo@@UAG?AW4nsresult@@PAPAVBrowsingContext@dom@mozilla@@@Z
+?GetDataType@?$Variant@V?$nsTString@_S@@$0A@@storage@mozilla@@UAEGXZ
+??_G?$Variant@V?$nsTString@_S@@$0A@@storage@mozilla@@EAEPAXI@Z
+?NotifyListeners@PlacesObservers@dom@mozilla@@SAXABV?$Sequence@V?$OwningNonNull@VPlacesEvent@dom@mozilla@@@mozilla@@@23@@Z
+?Call@PlacesEventCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@ABV?$Sequence@V?$OwningNonNull@VPlacesEvent@dom@mozilla@@@mozilla@@@23@AAVErrorResult@3@@Z
+?Wrap@PlacesVisit_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPlacesVisit@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@PlacesVisit_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@PlacesEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NotifyVisited@BaseHistory@mozilla@@UAEXPAVnsIURI@@W4VisitedStatus@IHistory@2@@Z
+?ReceiveMessage@nsFrameMessageManager@@IAEXPAVnsISupports@@PAVnsFrameLoader@@_NABV?$nsTSubstring@_S@@2PAVStructuredCloneData@ipc@dom@mozilla@@PAV?$nsTArray@VStructuredCloneData@ipc@dom@mozilla@@@@AAVErrorResult@8@@Z
+?Wrap@ChildProcessMessageManager_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChildProcessMessageManager@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ChildProcessMessageManager_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@SyncMessageSender_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?InjectContentScripts@ExtensionPolicyService@mozilla@@QAE?AW4nsresult@@PAVWebExtensionPolicy@extensions@2@@Z
+?Get@SameProcessMessageQueue@dom@mozilla@@SAPAV123@XZ
+?Push@SameProcessMessageQueue@dom@mozilla@@QAEXPAVRunnable@123@@Z
+?QueryInterface@Runnable@SameProcessMessageQueue@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ResolvedCallback@PromiseNativeThenHandlerBase@dom@mozilla@@UAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?InitPrintSettingsFromPrinter@nsPrinterListWin@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIPrintSettings@@@Z
+_ZN16percent_encoding13PercentDecode17decode_utf8_lossy17h9fa0eb4b36bfc7ddE
+_ZN16percent_encoding127_$LT$impl$u20$core..convert..From$LT$percent_encoding..PercentDecode$GT$$u20$for$u20$alloc..borrow..Cow$LT$$u5b$u8$u5d$$GT$$GT$4from17h129f1ef4016a45ebE
+_ZN21unicode_normalization6tables13normalization25canonical_combining_class17h97e31f14950b9a89E
+_ZN21unicode_normalization9decompose14canonical_sort17h60375f078ebe8580E
+_ZN21unicode_normalization9normalize7compose17haee8e5ae52721590E
+_ZN12unicode_bidi9char_data10bidi_class17h37d0b07adec48f2aE
+_ZN21unicode_normalization6tables13normalization17is_combining_mark17hc528b8356494d77dE
+_ZN3url6origin10url_origin17h89fda9b6caee1590E
+_ZN3url6origin6Origin19ascii_serialization17h7accd9add13a8307E
+?Run@Runnable@SameProcessMessageQueue@dom@mozilla@@UAG?AW4nsresult@@XZ
+?RemoveMessageListener@nsFrameMessageManager@@QAEXABV?$nsTSubstring@_S@@AAVMessageListener@dom@mozilla@@AAVErrorResult@5@@Z
+??_GnsAsyncMessageToSameProcessParent@@UAEPAXI@Z
+?GetChannelCreation@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?TrySetToDocument@TextOrElementOrDocumentArgument@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$MutableHandle@VValue@JS@@@JS@@AA_N_N@Z
+?Encode@TextEncoder@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABV?$nsTSubstring@D@@V?$MutableHandle@PAVJSObject@@@6@AAVOOMReporter@3@@Z
+?JS_GetFloat32ArrayData@@YAPAMPAVJSObject@@PA_NABVAutoRequireNoGC@JS@@@Z
+?IsArrayBufferMaybeShared@js@@YA_NPAVJSObject@@@Z
+?createZeroed@ArrayBufferObject@js@@SAPAV12@PAUJSContext@@VBufferSize@2@V?$Handle@PAVJSObject@@@JS@@@Z
+?addView@ArrayBufferObject@js@@QAE_NPAUJSContext@@PAVArrayBufferViewObject@2@@Z
+?StealArrayBufferContents@JS@@YAPAXPAUJSContext@@V?$Handle@PAVJSObject@@@1@@Z
+??0NativeOSFileWriteAtomicOptions@dom@mozilla@@QAE@XZ
+?Init@NativeOSFileWriteAtomicOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Accumulate@TelemetryHistogram@@YA?AW4nsresult@@PBDABV?$nsTString@D@@I@Z
+?SetOpenerPolicy@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@W4CrossOriginOpenerPolicy@nsILoadInfo@@@Z
+?GetContentCharset@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetCacheTokenCachedCharset@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetUploadStream@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIInputStream@@@Z
+??0nsSHEntry@@QAE@XZ
+??4SharedState@SessionHistoryInfo@dom@mozilla@@QAEAAT0123@ABT0123@@Z
+?GenerateProcessSpecificId@nsContentUtils@@SA_K_K@Z
+?GetCacheKey@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?IsNoStoreResponse@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetCacheTokenExpirationTime@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?CreateLoadingSessionHistoryEntryForLoad@CanonicalBrowsingContext@dom@mozilla@@QAE?AV?$UniquePtr@ULoadingSessionHistoryInfo@dom@mozilla@@V?$DefaultDelete@ULoadingSessionHistoryInfo@dom@mozilla@@@3@@3@PAVnsDocShellLoadState@@PAVnsIChannel@@@Z
+?UpdateRootBrowsingContextState@nsSHistory@@QAEXXZ
+?GetScrollRestorationIsManual@nsSHEntry@@UAG?AW4nsresult@@PA_N@Z
+?GetAccessible@xpcAccAnnouncementEvent@@UAG?AW4nsresult@@PAPAVnsIAccessible@@@Z
+?RemoveEntries@nsSHistory@@QAEXAAV?$nsTArray@UnsID@@@@HPA_N@Z
+?SessionHistoryChanged@BrowsingContext@dom@mozilla@@QAEXHH@Z
+?GetIsSubFrame@nsSHEntry@@UAG?AW4nsresult@@PA_N@Z
+?Destroy@ZoomConstraintsClient@@QAEXXZ
+?NotifyIME@IMEStateManager@mozilla@@SA?AW4nsresult@@W4IMEMessage@widget@2@PAVnsIWidget@@PAVBrowserParent@dom@2@@Z
+?RemoveStyleSheet@ServoStyleSet@mozilla@@QAEXAAVStyleSheet@2@@Z
+?GetModifiedText@xpcAccTextChangeEvent@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+??0?$HashMapEntry@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@@mozilla@@QAE@$$QAV01@@Z
+?TakeAllSecurityMessages@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsCOMArray@VnsISecurityConsoleMessage@@@@@Z
+?GetTimingEnabled@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetAsyncOpen@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetAllRedirectsSameOrigin@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetRedirectCount@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAE@Z
+?GetRedirectStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetRedirectEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetCacheReadStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetCacheReadEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetDispatchFetchEventStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetHandleFetchEventStart@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetHandleFetchEventEnd@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVTimeStamp@3@@Z
+?GetProtocolVersion@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetTransferSize@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?GetDecodedBodySize@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?GetAllRedirectsPassTimingAllowCheck@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetNativeServerTiming@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsCOMPtr@VnsIServerTiming@@@@@@@Z
+?natoms@XDRIncrementalEncoder@js@@UAEAAIXZ
+?SetStateObject@Document@dom@mozilla@@QAEXPAVnsIStructuredCloneContainer@@@Z
+?GetDisplaySpec@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsTextToSubURI@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?UnEscapeNonAsciiURI@nsTextToSubURI@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0AAV?$nsTSubstring@_S@@@Z
+?ConvertAndEscape@nsTextToSubURI@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@AAV3@@Z
+??1?$nsTArray_Impl@V?$RefPtr@VAudioDeviceInfo@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetDirectionFromText@mozilla@@YA?AW4Directionality@1@PB_SIPAI@Z
+?Dataset@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsDOMStringMap@@@@XZ
+??0nsDOMStringMap@@QAE@PAVElement@dom@mozilla@@@Z
+?NS_NewVideoDocument@@YA?AW4nsresult@@PAPAVDocument@dom@mozilla@@@Z
+?Wrap@DOMStringMap_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsDOMStringMap@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@DOMStringMap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NamedGetter@nsDOMStringMap@@QBEXABV?$nsTSubstring@_S@@AA_NAAVDOMString@dom@mozilla@@@Z
+?GetAttr@AttrArray@@QBEPBVnsAttrValue@@ABV?$nsTSubstring@_S@@@Z
+?ClearTimeout@nsGlobalWindowInner@@QAEXH@Z
+?GetAttr@Element@dom@mozilla@@IBE_NHPBVnsAtom@@AAVDOMString@23@@Z
+?NamedDeleter@nsDOMStringMap@@QAEXABV?$nsTSubstring@_S@@AA_N@Z
+?PositiveSubmatchSuccess@ActionNode@internal@v8@@SAPAV123@HHHHPAVRegExpNode@23@@Z
+?SetValue@HTMLInputElement@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@W4CallerType@23@AAVErrorResult@3@@Z
+?SetSelectionRange@TextControlState@mozilla@@QAEXIIW4SelectionDirection@nsITextControlFrame@@AAVErrorResult@2@@Z
+?SetTextAsAction@TextEditor@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@W4AllowBeforeInputEventCancelable@12@PAVnsIPrincipal@@@Z
+?MaybeDispatchBeforeInputEvent@AutoEditActionDataSetter@EditorBase@mozilla@@QAE?AW4nsresult@@F@Z
+?BeginPlaceholderTransaction@EditorBase@mozilla@@IAEXAAVnsStaticAtom@@@Z
+?SaveSelection@SelectionState@mozilla@@QAEXAAVSelection@dom@2@@Z
+?BeginUpdateViewBatch@EditorBase@mozilla@@IAEXXZ
+?InsertTextAsSubAction@EditorBase@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?UndefineCaretBidiLevel@EditorBase@mozilla@@IBEXXZ
+?EnsureNoPaddingBRElementForEmptyEditor@EditorBase@mozilla@@IAE?AW4nsresult@@XZ
+?DeleteNodeWithTransaction@EditorBase@mozilla@@IAE?AW4nsresult@@AAVnsIContent@@@Z
+??0SelectionBatcher@dom@mozilla@@QAE@PAVSelection@12@@Z
+??0PlaceholderTransaction@mozilla@@IAE@AAVEditorBase@1@AAVnsStaticAtom@@$$QAV?$Maybe@VSelectionState@mozilla@@@1@@Z
+?DoTransaction@TransactionManager@mozilla@@UAG?AW4nsresult@@PAVnsITransaction@@@Z
+??0nsCOMArray_base@@IAE@ABV0@@Z
+?Peek@nsDequeBase@detail@mozilla@@IBEPAXXZ
+?PeekUndoStack@TransactionManager@mozilla@@QAE?AU?$already_AddRefed@VnsITransaction@@@@XZ
+?DidDeleteNode@TextServicesDocument@mozilla@@QAEXPAVnsINode@@@Z
+?GetAsEditTransactionBase@EditTransactionBase@mozilla@@UAG?AW4nsresult@@PAPAV12@@Z
+?SelAdjDeleteNode@RangeUpdater@mozilla@@QAEXAAVnsINode@@@Z
+?IntersectsNode@nsRange@@QAE_NAAVnsINode@@AAVErrorResult@mozilla@@@Z
+?RestoreSelection@SelectionState@mozilla@@QAE?AW4nsresult@@AAVSelection@dom@2@@Z
+?AppendChild@EditAggregateTransaction@mozilla@@UAG?AW4nsresult@@PAVEditTransactionBase@2@@Z
+?PlatformToDOMLineBreaks@nsContentUtils@@SAXAAV?$nsTString@_S@@@Z
+?InsertTextWithTransaction@EditorBase@mozilla@@MAE?AW4nsresult@@AAVDocument@dom@2@ABV?$nsTSubstring@_S@@ABV?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@2@PAV72@@Z
+?FindBetterInsertionPoint@EditorBase@mozilla@@IBE?AV?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@2@ABV32@@Z
+?IsEndOfContainer@?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@QBE_NXZ
+?CreateEmptyTextNode@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsTextNode@@@@XZ
+?DidInsertText@TextEditor@mozilla@@IAE?AW4nsresult@@III@Z
+?SetInterlinePosition@Selection@dom@mozilla@@QAEX_NAAVErrorResult@3@@Z
+??4?$TErrorResult@UJustSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@QAEAAV012@$$QAV012@@Z
+?EndUpdateViewBatch@EditorBase@mozilla@@IAEXXZ
+?HandleInlineSpellCheck@EditorBase@mozilla@@IAE?AW4nsresult@@ABV?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@PBVAbstractRange@dom@2@@Z
+?IsEndOfContainer@?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@mozilla@@QBE_NXZ
+?EndPlaceholderTransaction@EditorBase@mozilla@@IAEXW4ScrollSelectionIntoView@12@@Z
+?SetCanCacheFrameOffset@Selection@dom@mozilla@@QAEX_N@Z
+?ScrollSelectionIntoView@nsFrameSelection@@QBE?AW4nsresult@@W4SelectionType@mozilla@@FF@Z
+?ScrollIntoView@Selection@dom@mozilla@@QAE?AW4nsresult@@FUScrollAxis@3@0H@Z
+?EndPlaceHolderBatch@PlaceholderTransaction@mozilla@@QAE?AW4nsresult@@XZ
+?StoreRange@RangeItem@mozilla@@QAEXABVnsRange@@@Z
+?NotifyEditorObservers@EditorBase@mozilla@@IAEXW4NotificationForEditorObservers@12@@Z
+?OnEditActionHandled@TextInputListener@mozilla@@QAE?AW4nsresult@@AAVTextEditor@2@@Z
+?SetValueChanged@nsTextControlFrame@@QAEX_N@Z
+?MozSetDndFilesAndDirectories@HTMLInputElement@dom@mozilla@@QAEXABV?$nsTArray@VOwningFileOrDirectory@dom@mozilla@@@@@Z
+?SetSelectionEnd@HTMLInputElement@dom@mozilla@@QAEXABU?$Nullable@I@23@AAVErrorResult@3@@Z
+?SetSelectionEnd@TextControlState@mozilla@@QAEXABU?$Nullable@I@dom@2@AAVErrorResult@2@@Z
+?Length@nsINode@@QBEIXZ
+?SetSelectionStart@HTMLInputElement@dom@mozilla@@QAEXABU?$Nullable@I@23@AAVErrorResult@3@@Z
+?SetSelectionStart@TextControlState@mozilla@@QAEXABU?$Nullable@I@dom@2@AAVErrorResult@2@@Z
+?GetValue@HTMLInputElement@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@W4CallerType@23@@Z
+?Init@WidevineCDMManifest@dom@mozilla@@QAE_NABV?$nsTSubstring@_S@@@Z
+?Constructor@URL@dom@mozilla@@SA?AU?$already_AddRefed@VURL@dom@mozilla@@@@PAVnsISupports@@ABV?$nsTSubstring@_S@@PAVnsIURI@@AAVErrorResult@3@@Z
+?WrapObject@URL@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@URL_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVURL@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetSpec@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetCanGoBack@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?CanGo@ChildSHistory@dom@mozilla@@QAE_NH@Z
+?GetCanGoForward@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?AllocateWStringWithSize@nsDiscriminatedUnion@@QAEXI@Z
+?GetContent@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetContentOuter@nsGlobalWindowOuter@@QAEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetContentInternal@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VnsPIDOMWindowOuter@@@@AAVErrorResult@mozilla@@W4CallerType@dom@4@@Z
+?CreateInterfaceObjects@ImageDocument_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetProtoObject@EventTarget_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?ownPropertyKeys@?$XrayWrapper@VCrossCompartmentWrapper@js@@VJSXrayTraits@xpc@@@xpc@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@5@@Z
+?detachExpandoChain@XrayTraits@xpc@@QAEPAVJSObject@@V?$Handle@PAVJSObject@@@JS@@@Z
+?IdentifyStandardInstance@JS@@YA?AW4JSProtoKey@@PAVJSObject@@@Z
+?IdentifyStandardPrototype@JS@@YA?AW4JSProtoKey@@PAVJSObject@@@Z
+?IsArgumentsObject@js@@YA_NV?$Handle@PAVJSObject@@@JS@@@Z
+?SetTimeoutOrInterval@nsGlobalWindowInner@@QAEHPAUJSContext@@AAVFunction@dom@mozilla@@HABV?$Sequence@VValue@JS@@@45@_NAAVErrorResult@5@@Z
+??0CallbackTimeoutHandler@dom@mozilla@@QAE@PAUJSContext@@PAVnsIGlobalObject@@PAVFunction@12@$$QAV?$nsTArray@V?$Heap@VValue@JS@@@JS@@@@@Z
+?GetDescription@ScriptTimeoutHandler@dom@mozilla@@UAEXAAV?$nsTSubstring@D@@@Z
+?SetTimeout@TimeoutManager@dom@mozilla@@QAE?AW4nsresult@@PAVTimeoutHandler@23@H_NW4Reason@Timeout@23@PAH@Z
+?When@Timeout@dom@mozilla@@QBEABVTimeStamp@3@XZ
+?Dispatch@ThrottledEventQueue@mozilla@@UAG?AW4nsresult@@U?$already_AddRefed@VnsIRunnable@@@@I@Z
+?ClearTimeout@TimeoutManager@dom@mozilla@@QAEXHW4Reason@Timeout@23@@Z
+?s_InitEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsGenericHashKey@UWebRenderUserDataKey@layers@mozilla@@@@V?$RefPtr@VWebRenderUserData@layers@mozilla@@@@@@@@KAXPAUPLDHashEntryHdr@@PBX@Z
+?LoadContext@nsFrameLoader@@QAE?AU?$already_AddRefed@VnsILoadContext@@@@XZ
+?SetCrossGroupOpenerId@CanonicalBrowsingContext@dom@mozilla@@QAEX_K@Z
+?QueryInterface@nsHashPropertyBagCC@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetEnumerator@nsHashPropertyBagBase@@UAG?AW4nsresult@@PAPAVnsISimpleEnumerator@@@Z
+?SetFromInterface@nsDiscriminatedUnion@@QAEXABUnsID@@PAVnsISupports@@@Z
+?GetAsISupports@XPCVariant@@UAG?AW4nsresult@@PAPAVnsISupports@@@Z
+?ConvertToISupports@nsDiscriminatedUnion@@QBE?AW4nsresult@@PAPAVnsISupports@@@Z
+?NamedGetter@StatementRow@storage@mozilla@@QAEXPAUJSContext@@ABV?$nsTSubstring@_S@@AA_NV?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@3@@Z
+?initializeOnAsyncThread@Connection@storage@mozilla@@QAE?AW4nsresult@@PAVnsIFile@@@Z
+?RelocateNonOverlappingRegionWithHeader@?$nsTArray_RelocateUsingMoveConstructor@UStreamFilterRequest@net@mozilla@@@@SAXPAX0II@Z
+chardetng_encoding_detector_new
+_ZN9chardetng16EncodingDetector3new17h057602d3a339eacbE
+?profiler_js_interrupt_callback@@YAXXZ
+?InterruptCallback@WorkerPrivate@dom@mozilla@@QAE_NPAUJSContext@@@Z
+?ToInt32OrBigIntSlow@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?growStorageBy@?$Vector@D$0CA@VTempAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?GetFirstArgumentAsObject@js@@YA_NPAUJSContext@@ABVCallArgs@JS@@PBDV?$MutableHandle@PAVJSObject@@@4@@Z
+?growStorageBy@?$Vector@PAVJSObject@@$0A@VSystemAllocPolicy@js@@@mozilla@@AAE_NI@Z
+?IsSharedArrayBufferObject@JS@@YA_NPAVJSObject@@@Z
+?JS_IsArrayBufferViewObject@@YA_NPAVJSObject@@@Z
+?JS_GetArrayBufferViewData@@YAPAXPAVJSObject@@PA_NABVAutoRequireNoGC@JS@@@Z
+?getElementPure@TypedArrayObject@js@@QAE_NIPAVValue@JS@@@Z
+workerlz4_decompress
+?ToIndexSlow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@IPA_K@Z
+?Init@TextDecoder@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@ABUTextDecoderOptions@23@AAVErrorResult@3@@Z
+?UnwrapArrayBufferView@js@@YAPAVJSObject@@PAV2@@Z
+?JS_GetArrayBufferViewType@@YA?AW4Type@Scalar@js@@PAVJSObject@@@Z
+??$is@VArrayBufferViewObject@js@@@JSObject@@QBE_NXZ
+?IsArrayBufferViewShared@JS@@YA_NPAVJSObject@@@Z
+?Decode@TextDecoder@dom@mozilla@@QAEXABV?$Optional@VArrayBufferViewOrArrayBuffer@dom@mozilla@@@23@ABUTextDecodeOptions@23@AAV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?GetArrayBufferViewLengthAndData@js@@YAXPAVJSObject@@PAIPA_NPAPAE@Z
+encoding_new_decoder_with_bom_removal_into
+?MaybeOptimizeBindGlobalName@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVGlobalObject@js@@@JS@@V?$Handle@PAVPropertyName@js@@@5@@Z
+??8StyleCssUrlData@mozilla@@QBE_NABU01@@Z
+?NoteSharedLoad@ImageLoader@css@mozilla@@SAXPAVimgRequestProxy@@@Z
+?UnloadImage@ImageLoader@css@mozilla@@SAXPAVimgRequestProxy@@@Z
+?CopyFrom@?$StyleOwnedSlice@E@mozilla@@QAEXABU12@@Z
+?UpdateVisibleDescendantsState@nsIFrame@@QAEXXZ
+?MulValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitDoubleMulResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@0@Z
+?emitDoubleAddResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@0@Z
+?ContainsPoint@Selection@dom@mozilla@@QAE_NABUnsPoint@@@Z
+?Next@LineBreaker@intl@mozilla@@QAEHPB_SII@Z
+?FindFontForChar@gfxFontGroup@@QAEPAVgfxFont@@IIIW4Script@unicode@mozilla@@PAV2@PAUFontMatchType@@@Z
+?HasCharacter@gfxFont@@QAE_NI@Z
+?IsFrameSelected@nsTextFrame@@MBE_NXZ
+?IsSelected@nsINode@@QBE_NII@Z
+?FocusOffset@Selection@dom@mozilla@@QBEIW4CallerType@23@@Z
+?QueryInterface@nsTextNode@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetChildFrameContainingOffset@nsTextFrame@@UAE?AW4nsresult@@H_NPAHPAPAVnsIFrame@@@Z
+?GetPointFromOffset@nsTextFrame@@UAE?AW4nsresult@@HPAUnsPoint@@@Z
+?SelectionStateChanged@nsTextFrame@@QAEXII_NW4SelectionType@mozilla@@@Z
+?ScrollFrameRectIntoView@PresShell@mozilla@@QAE_NPAVnsIFrame@@ABUnsRect@@UScrollAxis@2@2W4ScrollFlags@2@@Z
+?GetScrollPosition@nsHTMLScrollFrame@@UBE?AUnsPoint@@XZ
+?GetVisualViewportOffset@nsHTMLScrollFrame@@UBE?AUnsPoint@@XZ
+?GetVisualViewportSize@nsHTMLScrollFrame@@UBE?AUnsSize@@XZ
+?GetScrolledRect@nsHTMLScrollFrame@@UBE?AUnsRect@@XZ
+?GetAvailableScrollingDirections@nsIScrollableFrame@@QBEIXZ
+?GetScrollRange@nsHTMLScrollFrame@@UBE?AUnsRect@@XZ
+?LastScrollDestination@nsHTMLScrollFrame@@UAE?AUnsPoint@@XZ
+?GetNameSpaceElement@Document@dom@mozilla@@MAEPAVElement@23@XZ
+?ComputeInvalidationRegion@nsDisplayBackgroundImage@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?GetResultByName@Row@storage@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIVariant@@@Z
+?GetHref@URL@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?GetName@TimeoutExecutor@dom@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?MaybeExecute@TimeoutExecutor@dom@mozilla@@AAEXXZ
+?RunTimeoutHandler@nsGlobalWindowInner@@QAE_NPAVTimeout@dom@mozilla@@PAVnsIScriptContext@@@Z
+?RecordExecution@TimeoutManager@dom@mozilla@@AAEXPAVTimeout@23@0@Z
+?Call@Function@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@ABV?$nsTArray@VValue@JS@@@@V?$MutableHandle@VValue@JS@@@6@AAVErrorResult@3@@Z
+?GetContentLength@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_J@Z
+?OnStatus@nsDocLoader@@UAG?AW4nsresult@@PAVnsIRequest@@W42@PB_S@Z
+?CountChar@?$nsTStringRepr@_S@detail@mozilla@@QBII_S@Z
+?ToNewCString@@YAPADABV?$nsTSubstring@D@@@Z
+?OnStatusChange@BrowsingContextWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@W44@PB_S@Z
+?Deserialize@DOMRect_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@PAVnsIGlobalObject@@PAUJSStructuredCloneReader@@@Z
+?GetBrowserWouldUpgradeInsecureRequests@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetResponseVersion@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI0@Z
+?OnProgressChange@BrowsingContextWebProgress@dom@mozilla@@UAG?AW4nsresult@@PAVnsIWebProgress@@PAVnsIRequest@@HHHH@Z
+??0nsHtml5MetaScanner@@QAE@PAVnsHtml5TreeBuilder@@@Z
+?stateLoop@nsHtml5MetaScanner@@IAEXH@Z
+?adjustForMath@nsHtml5HtmlAttributes@@QAEXXZ
+?extractCharsetFromContent@nsHtml5TreeBuilder@@SA?AVnsHtml5String@@V2@PAV1@@Z
+?newCharArrayFromString@nsHtml5Portability@@SA?AV?$jArray@_SH@@VnsHtml5String@@@Z
+?CopyToBuffer@nsHtml5String@@QBEXPA_S@Z
+?ToString@nsHtml5String@@QAEXAAV?$nsTSubstring@_S@@@Z
+??1nsHtml5MetaScanner@@QAE@XZ
+??$TrimWhitespace@$1?IsHTMLWhitespace@nsContentUtils@@SA_N_S@Z@nsContentUtils@@SA?BV?$nsTDependentSubstring@_S@@ABV?$nsTSubstring@_S@@_N@Z
+?ReferrerPolicyAttributeFromString@ReferrerInfo@dom@mozilla@@SA?AW4ReferrerPolicy@23@ABV?$nsTSubstring@_S@@@Z
+?cloneAttributes@nsHtml5HtmlAttributes@@QAEPAV1@XZ
+?Clone@nsHtml5String@@QAE?AV1@XZ
+?DispatchToMainThread@nsThreadManager@@UAG?AW4nsresult@@PAVnsIRunnable@@IE@Z
+??0nsWindowsShellService@@QAE@XZ
+?LaunchModernSettingsDialogDefaultApps@@YA_NXZ
+?OnDataAvailable@DataChannelParent@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@PAVnsIInputStream@@_KI@Z
+?SetMaximum@TelemetryScalar@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@V?$Handle@VValue@JS@@@JS@@PAUJSContext@@@Z
+?str_endsWith@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?Set@TelemetryScalar@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@V?$Handle@VValue@JS@@@JS@@PAUJSContext@@@Z
+?Init@IdleRequestOptions@dom@mozilla@@QAE_NAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?IdleDispatch@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@AAVIdleRequestCallback@23@ABUIdleRequestOptions@23@AAVErrorResult@3@@Z
+?AllocPChildToParentStreamParent@ipc@mozilla@@YAPAVPChildToParentStreamParent@12@XZ
+??$ThrowErrorWithMessage@$0BA@$$V@?$TErrorResult@UAssertAndSuppressCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXW4nsresult@@@Z
+?pick@MBasicBlock@jit@js@@QAEXH@Z
+??0?$BaseTryNoteIter@VNoOpTryNoteFilter@js@@@detail@js@@QAE@PAVJSScript@@PAEVNoOpTryNoteFilter@2@@Z
+?reifyIterator@ArgumentsObject@js@@SA_NPAUJSContext@@V?$Handle@PAVArgumentsObject@js@@@JS@@@Z
+?GetInst@nsPluginHost@@SA?AU?$already_AddRefed@VnsPluginHost@@@@XZ
+?Release@nsPluginHost@@UAGKXZ
+?QueryInterface@nsPluginHost@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetPlugins@nsPluginHost@@QAEXAAV?$nsTArray@V?$nsCOMPtr@VnsIInternalPluginTag@@@@@@_N@Z
+?Wrap@HTMLLabelElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLLabelElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLLabelElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?EnteringNextStage@IOInterposer@mozilla@@YAXXZ
+?WindowSizeMoveDone@PresShell@mozilla@@QAEXXZ
+?RegisterEvents@TelemetryEvent@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@V?$Handle@VValue@JS@@@JS@@_NPAUJSContext@@@Z
+?IsValidIdentifierString@Common@Telemetry@mozilla@@YA_NABV?$nsTSubstring@D@@I_N1@Z
+?LogToBrowserConsole@Common@Telemetry@mozilla@@YAXIABV?$nsTSubstring@_S@@@Z
+??0nsScriptErrorBase@@QAE@XZ
+?AddRef@nsScriptError@@UAGKXZ
+?Release@nsScriptError@@UAGKXZ
+?Init@nsScriptErrorBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@00IIIPBD_N2@Z
+?QueryInterface@nsScriptError@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?RequestIdleCallback@nsGlobalWindowInner@@QAEIPAUJSContext@@AAVIdleRequestCallback@dom@mozilla@@ABUIdleRequestOptions@45@AAVErrorResult@5@@Z
+??0IdleRequest@dom@mozilla@@QAE@PAVIdleRequestCallback@12@I@Z
+??0TimeoutHandler@dom@mozilla@@IAE@PAUJSContext@@@Z
+?InitHighResolutionWithCallback@nsTimer@@UAG?AW4nsresult@@PAVnsITimerCallback@@ABV?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@I@Z
+??0WinTaskbar@widget@mozilla@@QAE@XZ
+?QueryInterface@WinTaskbar@widget@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@WinTaskbar@widget@mozilla@@UAGKXZ
+?GetOpener@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@mozilla@@@Z
+?GetOpenerWindowOuter@nsGlobalWindowOuter@@IAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@dom@mozilla@@XZ
+??$GenericMethod@UNormalThisPolicy@binding_detail@dom@mozilla@@UConvertExceptionsToPromises@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?AddListener@PlacesObservers@dom@mozilla@@SAXAAVGlobalObject@23@ABV?$nsTArray@W4PlacesEventType@dom@mozilla@@@@AAVPlacesEventCallback@23@AAVErrorResult@3@@Z
+?GetInt32@Row@storage@mozilla@@UAG?AW4nsresult@@IPAH@Z
+?GetAsInt32@?$Variant@_J$0A@@storage@mozilla@@UAG?AW4nsresult@@PAH@Z
+?emitCallInt32ToString@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@VStringOperandId@23@@Z
+?PreloadStyle@Document@dom@mozilla@@QAE?AW4SheetPreloadStatus@23@PAVnsIURI@@PBVEncoding@3@ABV?$nsTSubstring@_S@@W4ReferrerPolicy@23@2_N@Z
+?CreateFromDocumentAndPolicyOverride@ReferrerInfo@dom@mozilla@@SA?AU?$already_AddRefed@VnsIReferrerInfo@@@@PAVDocument@23@W4ReferrerPolicy@23@@Z
+?LoadSheet@Loader@css@mozilla@@QAE?AV?$Result@V?$RefPtr@VStyleSheet@mozilla@@@@W4nsresult@@@3@PAVnsIURI@@W4IsPreload@SheetLoadDataHashKey@3@PBVEncoding@3@PAVnsIReferrerInfo@@PAVnsICSSLoaderObserver@@W4CORSMode@3@ABV?$nsTSubstring@_S@@@Z
+?URISafeToBeLoadedInSecureContext@nsMixedContentBlocker@@SA_NPAVnsIURI@@@Z
+?SetReferrerInfo@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIReferrerInfo@@@Z
+?Clone@ReferrerInfo@dom@mozilla@@QBE?AU?$already_AddRefed@VReferrerInfo@dom@mozilla@@@@XZ
+?IsReferrerSchemeAllowed@ReferrerInfo@dom@mozilla@@SA_NPAVnsIURI@@@Z
+?SetReferrerHeader@HttpBaseChannel@net@mozilla@@UAE?AW4nsresult@@ABV?$nsTSubstring@D@@_N@Z
+?Observe@ContentBlockingUserInteraction@mozilla@@SAXPAVnsIPrincipal@@@Z
+?Split@?$nsTSubstring@D@@QBE?AV?$nsTSubstringSplitter@D@@D@Z
+?CreateStoragePermissionKey@AntiTrackingUtils@mozilla@@SA_NPAVnsIPrincipal@@AAV?$nsTSubstring@D@@@Z
+?PreloadURI@ScriptLoader@dom@mozilla@@UAEXPAVnsIURI@@ABV?$nsTSubstring@_S@@111_N2222W4ReferrerPolicy@23@@Z
+?ModuleScriptsEnabled@Document@dom@mozilla@@QAE_NXZ
+?StringToCORSMode@Element@dom@mozilla@@SA?AW4CORSMode@3@ABV?$nsTSubstring@_S@@@Z
+?GlobalHasInstrumentation@js@@YA_NPAVJSObject@@@Z
+?CreateAsScript@PreloadHashKey@mozilla@@SA?AV12@PAVnsIURI@@W4CORSMode@2@W4ScriptKind@dom@2@@Z
+?NotifyOpen@PreloaderBase@mozilla@@QAEXABVPreloadHashKey@2@PAVnsIChannel@@PAVDocument@dom@2@_N@Z
+?PreloadFetch@PreloadService@mozilla@@QAEXPAVnsIURI@@ABV?$nsTSubstring@_S@@1@Z
+?ResolvePreloadImage@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIURI@@@@PAVnsIURI@@ABV?$nsTSubstring@_S@@11PA_N@Z
+?SelectSourceForTagWithAttrs@HTMLImageElement@dom@mozilla@@SA_NPAVDocument@23@_NABV?$nsTSubstring@_S@@2222AAV5@@Z
+?MaybePreLoadImage@Document@dom@mozilla@@QAEXPAVnsIURI@@ABV?$nsTSubstring@_S@@W4ReferrerPolicy@23@_N3@Z
+?IsImageInCache@nsContentUtils@@SA_NPAVnsIURI@@PAVDocument@dom@mozilla@@@Z
+?QueryInterface@imgLoader@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ClearCache@imgLoader@@UAG?AW4nsresult@@_N@Z
+?PreLoadImage@Document@dom@mozilla@@QAEXPAVnsIURI@@ABV?$nsTSubstring@_S@@W4ReferrerPolicy@23@_N3@Z
+?AdjustPriority@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@H@Z
+?get@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@V?$Handle@UPropertyKey@JS@@@5@V?$MutableHandle@VValue@JS@@@5@@Z
+?SetHeaderData@Document@dom@mozilla@@QAEXPAVnsAtom@@ABV?$nsTSubstring@_S@@@Z
+?UpdateStyleSheet@nsHtml5DocumentBuilder@@QAEXPAVnsIContent@@@Z
+?emitLoadBooleanConstant@CacheIRCompiler@jit@js@@IAE_N_NVBooleanOperandId@23@@Z
+?emitLoadDataViewValueResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@VBooleanOperandId@23@W4Type@Scalar@3@_N@Z
+?loadArrayBufferByteLengthInt32@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?emitLoadTypedArrayElementResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@W4Type@Scalar@3@_N3@Z
+??$loadFromTypedArray@UBaseIndex@jit@js@@@MacroAssembler@jit@js@@QAEXW4Type@Scalar@2@ABUBaseIndex@12@ABVValueOperand@12@_NURegister@12@PAVLabel@12@@Z
+??$loadFromTypedArray@UBaseIndex@jit@js@@@MacroAssembler@jit@js@@QAEXW4Type@Scalar@2@ABUBaseIndex@12@UAnyRegister@12@URegister@12@PAVLabel@12@@Z
+?BitLsh@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32LeftShiftResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?emitNewTypedArrayFromLengthResult@CacheIRCompiler@jit@js@@IAE_NIVInt32OperandId@23@@Z
+?emitLoadDoubleTruthyResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@@Z
+?Wrap@HTMLMetaElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLMetaElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLMetaElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?PostMessage@DedicatedWorkerGlobalScope@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$Sequence@PAVJSObject@@@23@AAVErrorResult@3@@Z
+?JS_DefineElement@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@I1I@Z
+?JS_DefineUCProperty@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PB_SI1I@Z
+?extractStructuredCloneContents@ArrayBufferObject@js@@SA?AVBufferContents@12@PAUJSContext@@V?$Handle@PAVArrayBufferObject@js@@@JS@@@Z
+?GetConstructorObject@HTMLMenuItemElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetProtoObject@HTMLElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetProtoObject@Element_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetAttributeNS@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@0AAV4@@Z
+?GetNameSpaceID@nsNameSpaceManager@@QAEHABV?$nsTSubstring@_S@@_N@Z
+?GetText@HTMLScriptElement@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?GetCreatorParser@nsIScriptElement@@QAE?AU?$already_AddRefed@VnsIParser@@@@XZ
+?GetCORSMode@HTMLScriptElement@dom@mozilla@@UBE?AW4CORSMode@3@XZ
+?RemoveSelf@PreloaderBase@mozilla@@QAEXPAVDocument@dom@2@@Z
+?NS_NewHTMLElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?IsAllowed@nsHTMLDNSPrefetch@@SA_NPAVDocument@dom@mozilla@@@Z
+?Prefetch@nsHTMLDNSPrefetch@@CA?AW4nsresult@@PAVLink@dom@mozilla@@I@Z
+?OnDNSPrefetchDeferred@HTMLAnchorElement@dom@mozilla@@UAEXXZ
+?NS_NewHTMLParagraphElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?HtmlFor@HTMLOutputElement@dom@mozilla@@QAEPAVnsDOMTokenList@@XZ
+?NS_NewHTMLSpanElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewHTMLDivElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewHTMLHeadingElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewHTMLHRElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewHTMLTableElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Rows@HTMLTableSectionElement@dom@mozilla@@QAEPAVnsIHTMLCollection@@XZ
+?Append@nsTextFragment@@QAE_NPB_SI_N1@Z
+??$ToJSValue@$$CBV?$RefPtr@VElement@dom@mozilla@@@@@dom@mozilla@@YA_NPAUJSContext@@PBV?$RefPtr@VElement@dom@mozilla@@@@IV?$MutableHandle@VValue@JS@@@JS@@@Z
+?StringToURI@nsImageLoadingContent@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVDocument@dom@mozilla@@PAPAVnsIURI@@@Z
+?LoadImage@nsImageLoadingContent@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@_N1W4ImageLoadType@1@PAVnsIPrincipal@@@Z
+?Destroy@nsImageLoadingContent@@IAEXXZ
+?DocumentInactiveForImageLoads@nsContentUtils@@SA_NPAVDocument@dom@mozilla@@@Z
+?LoadingState@HTMLImageElement@dom@mozilla@@QBE?AW4Loading@123@XZ
+?LoadImage@nsImageLoadingContent@@IAE?AW4nsresult@@PAVnsIURI@@_N1W4ImageLoadType@1@I1PAVDocument@dom@mozilla@@PAVnsIPrincipal@@@Z
+?GetCORSMode@HTMLImageElement@dom@mozilla@@UAE?AW4CORSMode@3@XZ
+?LoadImageWithChannel@nsImageLoadingContent@@UAG?AW4nsresult@@PAVnsIChannel@@PAPAVnsIStreamListener@@@Z
+?QueryTriggeringPrincipal@nsContentUtils@@SA_NPAVnsIContent@@PAVnsIPrincipal@@PAPAV3@@Z
+?GetFinalURI@imgRequest@@QAE?AW4nsresult@@PAPAVnsIURI@@@Z
+?SetSendCSPViolationEvents@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?CanReuseWithoutValidation@imgRequest@@QBE_NPAVDocument@dom@mozilla@@@Z
+?GetImage@imgRequest@@QBE?AU?$already_AddRefed@VImage@image@mozilla@@@@XZ
+?GetProgressTracker@imgRequest@@QBE?AU?$already_AddRefed@VProgressTracker@image@mozilla@@@@XZ
+?NotifyListener@imgRequestProxy@@QAEXXZ
+?Notify@ProgressTracker@image@mozilla@@QAEXPAVIProgressObserver@23@@Z
+?MarkPendingNotify@imgRequestProxy@@UAEXXZ
+??0PrioritizableRunnable@mozilla@@QAE@$$QAU?$already_AddRefed@VnsIRunnable@@@@I@Z
+?ForgetImagePreload@Document@dom@mozilla@@QAEXPAVnsIURI@@@Z
+?RemoveObserver@nsImageLoadingContent@@QAEXPAVimgINotificationObserver@@@Z
+?UpdateImageState@nsImageLoadingContent@@IAEX_N@Z
+?DidBuildModel@nsHtml5TreeOpExecutor@@UAG?AW4nsresult@@_N@Z
+?QueryInterface@nsHtml5DocumentBuilder@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DropStreamParser@nsHtml5Parser@@QAEXXZ
+?DropTimer@nsHtml5StreamParser@@QAEXXZ
+?ClearPendingNotify@imgRequestProxy@@UAEXXZ
+?js_dtobasestr@@YAPADPAUDtoaState@@HN@Z
+?randomDouble@MacroAssembler@jit@js@@QAEXURegister@23@UFloatRegister@23@URegister64@23@2@Z
+?convertInt64ToDouble@MacroAssembler@jit@js@@QAEXURegister64@23@UFloatRegister@23@@Z
+?numActualArgs@FrameIter@js@@QBEIXZ
+?Reflect_getPrototypeOf@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetOwnPropertyKeys@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$MutableHandle@VValue@JS@@@4@@Z
+?ModValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32ModResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?flexibleRemainder32@MacroAssembler@jit@js@@QAEXURegister@23@0_NABV?$LiveSet@VRegisterSet@jit@js@@@23@@Z
+?flexibleDivMod32@MacroAssembler@jit@js@@QAEXURegister@23@00_NABV?$LiveSet@VRegisterSet@jit@js@@@23@@Z
+?moveRegPair@MacroAssembler@jit@js@@QAEXURegister@23@000W4Type@MoveOp@23@@Z
+??0MoveEmitterX86@jit@js@@QAE@AAVMacroAssembler@12@@Z
+?Init@IDBOpenDBOptions@dom@mozilla@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PBD_N@Z
+?Open@IDBFactory@dom@mozilla@@QAE?AV?$RefPtr@VIDBOpenDBRequest@dom@mozilla@@@@PAUJSContext@@ABV?$nsTSubstring@_S@@ABUIDBOpenDBOptions@23@W4CallerType@23@AAVErrorResult@3@@Z
+?GetBounds@nsDisplayOutline@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?AllocateGeometry@nsDisplayItem@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+?intersect@SkRect@@QAE_NABU1@@Z
+?PaintTextShadow@nsLayoutUtils@@SAXPBVnsIFrame@@PAVgfxContext@@ABUnsRect@@2ABIP6AX1UnsPoint@@3PAX@Z5@Z
+?SetDeviceColor@gfxContext@@QAEXABUDeviceColor@gfx@mozilla@@@Z
+?DrawString@nsFontMetrics@@QAEXPB_SIHHPAVgfxContext@@PAVDrawTarget@gfx@mozilla@@@Z
+?Int32ToStringPure@js@@YAPAVJSLinearString@@PAUJSContext@@H@Z
+?GetTopExcludingExtensionAccessibleContentFrames@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VnsPIDOMWindowOuter@@@@PAVnsIURI@@@Z
+?GetURIFromWindow@ThirdPartyUtil@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@PAPAVnsIURI@@@Z
+?GetApplicationCache@Document@dom@mozilla@@UAG?AW4nsresult@@PAPAVnsIApplicationCache@@@Z
+?SetTitle@nsSHEntry@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetConstructorObject@HTMLHRElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?math_ceil@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?ceil@fdlibm@@YANN@Z
+?getBuiltinClass@?$XrayWrapper@VCrossCompartmentWrapper@js@@VJSXrayTraits@xpc@@@xpc@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAW4ESClass@js@@@Z
+?ShouldIgnorePropertyDefinition@js@@YA_NPAUJSContext@@W4JSProtoKey@@UPropertyKey@JS@@@Z
+?PropertySpecNameEqualsId@JS@@YA_NTName@JSPropertySpec@@V?$Handle@UPropertyKey@JS@@@1@@Z
+??0ReferrerInfo@dom@mozilla@@QAE@XZ
+?setToEndOfScript@InterpreterRegs@js@@QAEXXZ
+?JSValToXPCException@XPCConvert@@SA?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@PBD2PAPAVException@dom@mozilla@@@Z
+?SetBlockAuthPrompt@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?IsNavigation@HttpBaseChannel@net@mozilla@@QAE_NXZ
+??0nsStorageStream@@QAE@XZ
+?QueryInterface@nsStorageStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsStorageStream@@UAGKXZ
+?Release@nsStorageStream@@W3AGKXZ
+?Create@nsBufferedOutputStream@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsBufferedOutputStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Init@nsBufferedOutputStream@@UAG?AW4nsresult@@PAVnsIOutputStream@@I@Z
+?RefreshFeaturePolicy@HTMLIFrameElement@dom@mozilla@@AAEX_N@Z
+?AsyncEventRunning@HTMLImageElement@dom@mozilla@@UAEXPAVAsyncEventDispatcher@3@@Z
+??_GLoadBlockingAsyncEventDispatcher@mozilla@@UAEPAXI@Z
+??1LoadBlockingAsyncEventDispatcher@mozilla@@UAE@XZ
+?GetAllInternal@IDBObjectStore@dom@mozilla@@AAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@ABV?$Optional@I@23@AAVErrorResult@3@@Z
+??4RequestParams@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVObjectStoreGetAllParams@123@@Z
+??0Response@dom@mozilla@@QAE@PAVnsIGlobalObject@@PAVInternalResponse@12@PAVAbortSignalImpl@12@@Z
+?NS_NewPipe@@YA?AW4nsresult@@PAPAVnsIInputStream@@PAPAVnsIOutputStream@@II_N2@Z
+?BasicResponse@InternalResponse@dom@mozilla@@QAE?AU?$already_AddRefed@VInternalResponse@dom@mozilla@@@@XZ
+?TakeAlternativeBody@InternalResponse@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIInputStream@@@@XZ
+?Headers_@Request@dom@mozilla@@QAEPAVHeaders@23@XZ
+??$MaybeSomething@AAV?$RefPtr@VResponse@dom@mozilla@@@@@Promise@dom@mozilla@@AAEXAAV?$RefPtr@VResponse@dom@mozilla@@@@P8012@AEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z@Z
+?Wrap@Response_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVResponse@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?trace@?$RootedDictionary@UFastRequestInit@binding_detail@dom@mozilla@@@dom@mozilla@@UAEXPAVJSTracer@@@Z
+?ConsumeBody@?$FetchBody@VResponse@dom@mozilla@@@dom@mozilla@@QAE?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAUJSContext@@W4ConsumeType@BodyConsumer@23@AAVErrorResult@3@@Z
+?GetBodyUsed@?$FetchBody@VResponse@dom@mozilla@@@dom@mozilla@@QBE_NAAVErrorResult@3@@Z
+?SetBodyUsed@?$FetchBody@VResponse@dom@mozilla@@@dom@mozilla@@QAEXPAUJSContext@@AAVErrorResult@3@@Z
+?Create@BodyConsumer@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@PAVnsIGlobalObject@@PAVnsIEventTarget@@PAVnsIInputStream@@PAVAbortSignalImpl@23@W4ConsumeType@123@ABV?$nsTSubstring@D@@ABV?$nsTSubstring@_S@@5W4MutableBlobStorageType@MutableBlobStorage@23@AAVErrorResult@3@@Z
+?NS_CopySegmentToStream@@YA?AW4nsresult@@PAVnsIInputStream@@PAXPBDIIPAI@Z
+?Write@EncryptingOutputStreamBase@quota@dom@mozilla@@UAG?AW4nsresult@@PBDIPAI@Z
+?NS_CopySegmentToBuffer@@YA?AW4nsresult@@PAVnsIOutputStream@@PAXPADIIPAI@Z
+?ConsumeJson@BodyUtil@dom@mozilla@@SAXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@ABV?$nsTString@_S@@AAVErrorResult@3@@Z
+?GetQuickCheckDetails@LoopChoiceNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?addl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+??4RequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVObjectStoreGetAllResponse@123@@Z
+?Unbox@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@4@@Z
+?allocationStack@Base@ubi@JS@@UBE?AVStackFrame@23@XZ
+?NS_NewInputStreamPump@@YA?AW4nsresult@@PAPAVnsIInputStreamPump@@U?$already_AddRefed@VnsIInputStream@@@@II_NPAVnsIEventTarget@@@Z
+??0nsInputStreamPump@@QAE@XZ
+?SetConeOuterGain@PannerNode@dom@mozilla@@QAEXNAAVErrorResult@3@@Z
+?Join@PathUtils@dom@mozilla@@SAXABVGlobalObject@23@ABV?$Sequence@V?$nsTString@_S@@@23@AAV?$nsTString@_S@@AAVErrorResult@3@@Z
+??0nsLocalFile@@QAE@XZ
+?GetHostOrIPv6WithBrackets@nsContentUtils@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@_S@@@Z
+?emitInt32NegationResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+?GetLoadingEmbedderPolicy@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAW4CrossOriginEmbedderPolicy@nsILoadInfo@@@Z
+?MetaDataReady@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@XZ
+?AsPerformanceStorage@PerformanceMainThread@dom@mozilla@@UAEPAVPerformanceStorage@23@XZ
+?SizeOfUserEntries@Performance@dom@mozilla@@QBEIP6AIPBX@Z@Z
+?GetReportResourceTiming@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetInitiatorType@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?TimingAllowCheck@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIPrincipal@@PA_N@Z
+?SetResourceTimingBufferSize@Performance@dom@mozilla@@QAEX_K@Z
+?GetRequestSucceeded@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?GetSourceMapURL@nsContentUtils@@SA_NPAVnsIHttpChannel@@AAV?$nsTSubstring@D@@@Z
+?IsNoCacheResponse@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?NoCache@nsHttpResponseHead@net@mozilla@@QAE_NXZ
+?ExpiresInPast@nsHttpResponseHead@net@mozilla@@QAE_NXZ
+Servo_StyleSheet_FromUTF8BytesAsync
+_ZN10rayon_core8registry8Registry14inject_or_push17h2c46f2ed76292f49E
+?GetDOMNode@xpcAccAnnouncementEvent@@UAG?AW4nsresult@@PAPAVnsINode@@@Z
+?GetAlternativeDataType@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+??$Serialize@V?$nsTAutoStringN@D$0EA@@@@?$MarkerTypeSerialization@UTextMarker@markers@baseprofiler@mozilla@@@base_profiler_markers_detail@mozilla@@SA?AVProfileBufferBlockIndex@2@AAVProfileChunkedBuffer@2@ABV?$ProfilerStringView@D@2@ABVMarkerCategory@2@$$QAVMarkerOptions@2@ABV?$nsTAutoStringN@D$0EA@@@@Z
+?FetchStartHighRes@PerformanceTimingData@dom@mozilla@@QAENPAVPerformance@23@@Z
+?GetRandomTimelineSeed@PerformanceMainThread@dom@mozilla@@UAE_KXZ
+??$NSSConstructor@VnsRandomGenerator@@@psm@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?Join@nsProtectedAuthThread@@QAEXXZ
+?ReduceTimePrecisionAsMSecs@nsRFPService@mozilla@@SANN_J_N1@Z
+?Init@nsCryptoHash@@UAG?AW4nsresult@@I@Z
+?Update@nsCryptoHash@@UAG?AW4nsresult@@PBEI@Z
+?Finish@nsCryptoHash@@UAG?AW4nsresult@@_NAAV?$nsTSubstring@D@@@Z
+?Release@nsCryptoHash@@UAGKXZ
+?WorkerStartHighRes@PerformanceTimingData@dom@mozilla@@QAENPAVPerformance@23@@Z
+?ExportEmptyDataSummary@SRICheckDataVerifier@dom@mozilla@@SA?AW4nsresult@@IPAE@Z
+?setIntroductionInfoToCaller@CompileOptions@JS@@QAEAAV12@PAUJSContext@@PBD@Z
+?NotifyStop@PreloaderBase@mozilla@@QAEXPAVnsIRequest@@W4nsresult@@@Z
+?CompileGlobalScriptToStencil@frontend@js@@YA?AV?$UniquePtr@UCompilationInfo@frontend@js@@U?$DeletePolicy@UCompilationInfo@frontend@js@@@JS@@@mozilla@@PAUJSContext@@ABVReadOnlyCompileOptions@JS@@AAV?$SourceText@TUtf8Unit@mozilla@@@7@W4ScopeKind@2@@Z
+?strictModeError@ErrorReportMixin@frontend@js@@QAA_NIZZ
+??$GetDecimalNonInteger@E@js@@YA_NPAUJSContext@@PBE1PAN@Z
+?NumberToParserAtom@js@@YAPBVParserAtom@frontend@1@PAUJSContext@@AAVParserAtomsTable@31@N@Z
+?GetLoadedFromApplicationCache@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?Singleton@DecodePool@image@mozilla@@SAPAV123@XZ
+?GetIOEventTarget@DecodePool@image@mozilla@@QAE?AU?$already_AddRefed@VnsIEventTarget@@@@XZ
+??1ProgressTracker@image@mozilla@@EAE@XZ
+??0RasterImage@image@mozilla@@IAE@PAVnsIURI@@@Z
+?Init@RasterImage@image@mozilla@@AAE?AW4nsresult@@PBDI@Z
+?SetSourceSizeHint@RasterImage@image@mozilla@@QAE?AW4nsresult@@I@Z
+?CreateFromDrawable@ImageOps@image@mozilla@@SA?AU?$already_AddRefed@VimgIContainer@@@@PAVgfxDrawable@@@Z
+?CanHold@SurfaceCache@image@mozilla@@SA_NI@Z
+?AddRef@BackgroundFileSaverStreamListener@net@mozilla@@UAGKXZ
+?GetEventTarget@ProgressTracker@image@mozilla@@QBE?AU?$already_AddRefed@VnsIEventTarget@@@@XZ
+?Release@RasterImage@image@mozilla@@UAGKXZ
+?CreateMetadataDecoder@DecoderFactory@image@mozilla@@SA?AU?$already_AddRefed@VIDecodingTask@image@mozilla@@@@W4DecoderType@23@V?$NotNull@PAVRasterImage@image@mozilla@@@3@V?$NotNull@PAVSourceBuffer@image@mozilla@@@3@@Z
+?PostIsAnimated@Decoder@image@mozilla@@IAEXUFrameTimeout@23@@Z
+??0nsPNGDecoder@image@mozilla@@AAE@PAVRasterImage@12@@Z
+??0Decoder@image@mozilla@@QAE@PAVRasterImage@12@@Z
+?Iterator@SourceBuffer@image@mozilla@@QAE?AVSourceBufferIterator@23@I@Z
+??1SourceBufferIterator@image@mozilla@@QAE@XZ
+??0nsIconDecoder@image@mozilla@@AAE@PAVRasterImage@12@@Z
+MOZ_PNG_cr_read_str
+dav1d_loop_restoration_dsp_init_x86_8bpc
+png_set_option
+MOZ_PNG_set_progressive_read_fn
+?AsyncRun@DecodePool@image@mozilla@@QAEXPAVIDecodingTask@23@@Z
+?NewDateObjectMsec@js@@YAPAVJSObject@@PAUJSContext@@VClippedTime@JS@@V?$Handle@PAVJSObject@@@5@@Z
+?Init@AutoJSAPI@dom@mozilla@@QAE_NPAVnsIGlobalObject@@@Z
+?_Call_func@_Pad@std@@CGIPAX@Z
+?_Release@_Pad@std@@QAEXXZ
+Gecko_StyleSheet_FinishAsyncParse
+Gecko_ReleaseSheetLoadDataHolderArbitraryThread
+?GetEventGroups@AccTreeMutationEvent@a11y@mozilla@@UBEIXZ
+?Run@DecodingTask@image@mozilla@@UAE_NXZ
+?RequestDecodeForSize@FrozenImage@image@mozilla@@UAG?AW4nsresult@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@II@Z
+?Decode@Decoder@image@mozilla@@QAE?AV?$Variant@W4TerminalState@image@mozilla@@W4Yield@23@@3@PAUIResumable@23@@Z
+?AdvanceOrScheduleResume@SourceBufferIterator@image@mozilla@@QAE?AW4State@123@IPAUIResumable@23@@Z
+??0nsWebPDecoder@image@mozilla@@AAE@PAVRasterImage@12@@Z
+MOZ_PNG_set_longjmp_fn
+MOZ_PNG_process_data
+MOZ_APNG_get_next_frame_dispose_op
+MOZ_PNG_get_IHDR
+?PostSize@Decoder@image@mozilla@@IAEXHHUOrientation@23@@Z
+?MaximumCapacity@SurfaceCache@image@mozilla@@SAIXZ
+MOZ_PNG_read_update_info
+MOZ_PNG_set_expand
+MOZ_PNG_process_data_pause
+?GetCMSOutputProfile@Decoder@image@mozilla@@IBEPAU_qcms_profile@@XZ
+??$WrapNotNull@V?$RefPtr@VDecoder@image@mozilla@@@@@mozilla@@YA?AV?$NotNull@V?$RefPtr@VDecoder@image@mozilla@@@@@0@V?$RefPtr@VDecoder@image@mozilla@@@@@Z
+?Shutdown@TaskController@mozilla@@SAXXZ
+??_GnsPNGDecoder@image@mozilla@@UAEPAXI@Z
+??1nsPNGDecoder@image@mozilla@@UAE@XZ
+MOZ_PNG_dest_read_str
+MOZ_PNG_free_data
+MOZ_PNG_zfree
+??1Decoder@image@mozilla@@MAE@XZ
+?ReleaseImageOnMainThread@SurfaceCache@image@mozilla@@SAXU?$already_AddRefed@VImage@image@mozilla@@@@_N@Z
+?NotifyDecodeComplete@RasterImage@image@mozilla@@QAEXABUDecoderFinalStatus@23@ABVImageMetadata@23@ABUDecoderTelemetry@23@IABU?$IntRectTyped@UUnorientedPixel@mozilla@@@gfx@3@ABV?$Maybe@I@3@W4DecoderFlags@23@W4SurfaceFlags@23@@Z
+?NotifyProgress@RasterImage@image@mozilla@@QAEXIABU?$IntRectTyped@UUnorientedPixel@mozilla@@@gfx@3@ABV?$Maybe@I@3@W4DecoderFlags@23@W4SurfaceFlags@23@@Z
+?Notify@nsImageLoadingContent@@UAEXPAVimgIRequest@@HPBU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?hasInlineElements@TypedArrayObject@js@@QBE_NXZ
+?trace@?$RootedDictionary@UFastNotificationOptions@binding_detail@dom@mozilla@@@dom@mozilla@@UAEXPAVJSTracer@@@Z
+?allocateBuffer@Nursery@js@@QAEPAXPAVBigInt@JS@@I@Z
+?trace@ArrayBufferViewObject@js@@SAXPAVJSTracer@@PAVJSObject@@@Z
+?compact@?$HashTable@V?$HashMapEntry@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVCompartment@JS@@V?$NurseryAwareHashMap@PAVJSObject@@PAV1@U?$DefaultHasher@PAVJSObject@@X@mozilla@@VZoneAllocPolicy@js@@$0A@@js@@U?$DefaultHasher@PAVCompartment@JS@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@QAEXXZ
+?emitGuardFunctionHasNoJitEntry@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?recoverClip@SkAnalyticEdgeBuilder@@EBE?AUSkRect@@ABUSkIRect@@@Z
+?blitAntiRect@SkRectClipBlitter@@UAEXHHHHEE@Z
+?Append@?$nsTSubstring@D@@QAE_NABV?$nsTSubstringTuple@D@@ABUnothrow_t@std@@@Z
+?SetCreatorParser@nsIScriptElement@@QAEXPAVnsIParser@@@Z
+??8StyleComplex_Body@?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@QBE_NABU012@@Z
+??1?$nsMainThreadPtrHolder@VSheetLoadData@css@mozilla@@@@AAE@XZ
+?InvalidateDirectRenderingObservers@SVGObserverUtils@mozilla@@SAXPAVElement@dom@2@I@Z
+?SizeOfSourceWithComputedFallback@RasterImage@image@mozilla@@UBEIAAVSizeOfState@3@@Z
+?SizeOfIncludingThisWithComputedFallback@SourceBuffer@image@mozilla@@QBEIP6AIPBX@Z@Z
+?CreateInterfaceObjects@ChannelWrapper_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?BezierTo@CanvasRenderingContext2D@dom@mozilla@@QAEXABU?$PointTyped@UUnknownUnits@gfx@mozilla@@M@gfx@3@00@Z
+?Get@ChannelWrapper@extensions@mozilla@@SA?AU?$already_AddRefed@VChannelWrapper@extensions@mozilla@@@@ABVGlobalObject@dom@3@PAVnsIChannel@@@Z
+?WrapObject@ChannelWrapper@extensions@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ChannelWrapper_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChannelWrapper@extensions@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?GetFrameAncestors@ChannelWrapper@extensions@mozilla@@QBEXAAU?$Nullable@V?$nsTArray@UMozFrameAncestorInfo@dom@mozilla@@@@@dom@3@AAVErrorResult@3@@Z
+?GetFrameBrowsingContextID@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?AncestorPrincipals@LoadInfo@net@mozilla@@UAEABV?$nsTArray@V?$nsCOMPtr@VnsIPrincipal@@@@@@XZ
+_ZN13encoding_glue35decode_to_nsstring_with_bom_removal17hf342b6a4d2d0ce99E
+??0HttpActivityArgs@net@mozilla@@QAE@ABV012@@Z
+??0HttpActivityArgs@net@mozilla@@QAE@$$QAV012@@Z
+?GetWeakHttpChannel@nsHttpHandler@net@mozilla@@QAE?AV?$nsCOMPtr@VnsIWeakReference@@@@_K@Z
+?StyleSheetLoaded@nsContentSink@@UAG?AW4nsresult@@PAVStyleSheet@mozilla@@_NW42@@Z
+_ZN108_$LT$style..gecko..wrapper..GeckoFontMetricsProvider$u20$as$u20$style..font_metrics..FontMetricsProvider$GT$8get_size17h0ab3882e0f630702E
+Gecko_GetBaseSize
+??1LangGroupFontPrefs@mozilla@@QAE@XZ
+?SetScrollPositionOnly@nsLayoutHistoryState@@UAEX_N@Z
+?ShouldCreateImageFrameFor@nsImageFrame@@SA_NABVElement@dom@mozilla@@AAVComputedStyle@4@@Z
+?NS_NewImageFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+??0nsImageFrame@@AAE@PAVComputedStyle@mozilla@@PAVnsPresContext@@W4ClassID@nsQueryFrame@@W4Kind@0@@Z
+?ScheduleApproximateFrameVisibilityUpdateSoon@PresShell@mozilla@@QAEXXZ
+?Init@nsImageFrame@@UAEXPAVnsIContent@@PAVnsContainerFrame@@PAVnsIFrame@@@Z
+?DidSetComputedStyle@nsImageFrame@@UAEXPAVComputedStyle@mozilla@@@Z
+?NS_NewImageFrameForContentProperty@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?GetRequest@nsImageLoadingContent@@UAG?AW4nsresult@@HPAPAVimgIRequest@@@Z
+??1nsImageFrame@@MAE@XZ
+?AddStrongObservers@Preferences@mozilla@@SA?AW4nsresult@@PAVnsIObserver@@PAPBD@Z
+?GetLogicalSkipSides@nsImageFrame@@UBE?AULogicalSides@mozilla@@XZ
+?Release@IconLoad@nsImageFrame@@UAGKXZ
+?Release@imgLoader@@UAGKXZ
+?AddNativeObserver@nsImageLoadingContent@@UAEXPAVimgINotificationObserver@@@Z
+?SetSyncDecodingHint@nsImageLoadingContent@@QAEX_N@Z
+?Notify@nsImageListener@@UAEXPAVimgIRequest@@HPBU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?Notify@nsImageFrame@@QAEXPAVimgIRequest@@HPBU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@Z
+?SetAnimationMode@RasterImage@image@mozilla@@UAG?AW4nsresult@@G@Z
+?GetRequestType@nsImageLoadingContent@@UAG?AW4nsresult@@PAVimgIRequest@@PAH@Z
+?HandledOrientation@RasterImage@image@mozilla@@UAG_NXZ
+?FrameCreated@nsImageLoadingContent@@UAGXPAVnsIFrame@@@Z
+?QueryFrame@nsImageFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?GetVisibility@nsIFrame@@QBE?AW4Visibility@mozilla@@XZ
+?IsFrameOfType@nsImageFrame@@UBE_NI@Z
+?NS_NewHTMLButtonControlFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?NS_NewGfxButtonControlFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+Servo_Element_IsPrimaryStyleReusedViaRuleNode
+?GetCachedLazyPseudoStyle@ComputedStyle@mozilla@@QBEPAV12@W4PseudoStyleType@2@@Z
+?QueryFrame@nsHTMLButtonControlFrame@@UBEPAXW4FrameIID@nsQueryFrame@@@Z
+?ProcessPendingRequestsAsync@ScriptLoader@dom@mozilla@@EAEXXZ
+?ScriptAvailable@ScriptElement@dom@mozilla@@UAG?AW4nsresult@@W44@PAVnsIScriptElement@@_NPAVnsIURI@@H@Z
+?GetProcessingScriptTag@nsJSContext@@UAE_NXZ
+?GetCacheTokenFetchCount@nsHttpChannel@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+??0JSExecutionContext@dom@mozilla@@QAE@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?JoinCompile@JSExecutionContext@dom@mozilla@@QAE?AW4nsresult@@PAPAVOffThreadToken@JS@@@Z
+?FinishOffThreadScriptAndStartIncrementalEncoding@JS@@YAPAVJSScript@@PAUJSContext@@PAVOffThreadToken@1@@Z
+?xdrEncodeTopLevel@ScriptSource@js@@QAE_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?getTopLevelTreeKey@XDRIncrementalEncoder@js@@UBE_KXZ
+?createOrReplaceSubTree@XDRIncrementalEncoder@js@@UAEXPAVAutoXDRTree@2@@Z
+?switchToHeaderBuf@XDRIncrementalEncoderBase@js@@UAEXXZ
+?switchToMainBuf@XDRIncrementalEncoderBase@js@@UAEXXZ
+?codeChars@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PATUtf8Unit@4@I@Z
+?atomMap@XDRIncrementalEncoder@js@@UAEAAV?$GCHashMap@V?$PreBarriered@PAVJSAtom@@@js@@IU?$DefaultHasher@V?$PreBarriered@PAVJSAtom@@@js@@X@mozilla@@VTempAllocPolicy@2@U?$DefaultMapSweepPolicy@V?$PreBarriered@PAVJSAtom@@@js@@I@JS@@@JS@@XZ
+?switchToAtomBuf@XDRIncrementalEncoder@js@@UAEXXZ
+?getTreeKey@XDRIncrementalEncoder@js@@UBE_KPAVJSFunction@@@Z
+?endSubTree@XDRIncrementalEncoder@js@@UAEXXZ
+?GetScriptPrivate@JS@@YA?AVValue@1@PAVJSScript@@@Z
+?SetScriptPrivate@JS@@YAXPAVJSScript@@ABVValue@1@@Z
+?ExecScript@JSExecutionContext@dom@mozilla@@QAE?AW4nsresult@@XZ
+?JS_ExecuteScript@@YA_NPAUJSContext@@V?$Handle@V?$StackGCVector@PAVJSObject@@VTempAllocPolicy@js@@@JS@@@JS@@V?$Handle@PAVJSScript@@@3@@Z
+?ScriptEvaluated@ScriptElement@dom@mozilla@@UAG?AW4nsresult@@W44@PAVnsIScriptElement@@_N@Z
+?Compile@JSExecutionContext@dom@mozilla@@QAE?AW4nsresult@@AAVCompileOptions@JS@@AAV?$SourceText@TUtf8Unit@mozilla@@@6@@Z
+?CompileAndStartIncrementalEncoding@JS@@YAPAVJSScript@@PAUJSContext@@ABVReadOnlyCompileOptions@1@AAV?$SourceText@TUtf8Unit@mozilla@@@1@@Z
+?GetSearch@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetHash@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?NumberToAtom@js@@YAPAVJSAtom@@PAUJSContext@@N@Z
+??$isIndexSlow@E@JSLinearString@@CA_NPBEIPAI@Z
+?setIncrementalEncoder@ScriptSource@js@@QAEXPAVXDRIncrementalEncoderBase@2@@Z
+?GetNumberControlFrameForSpinButton@nsNumberControlFrame@@SAPAV1@PAVnsIFrame@@@Z
+?AddXULMargin@nsIFrame@@SAXPAV1@AAUnsSize@@@Z
+?AddGenericFonts@gfxPlatformFontList@@UAEXW4StyleGenericFontFamily@mozilla@@PAVnsAtom@@AAV?$nsTArray@UFamilyAndGeneric@@@@@Z
+?GetLanguageGroup@nsLanguageAtomService@@QAEPAVnsStaticAtom@@PAVnsAtom@@PA_N@Z
+?RemoveCmap@gfxPlatformFontList@@QAEXPBVgfxCharacterMap@@@Z
+?AppendPrefsFontList@gfxFontUtils@@SAXPBDAAV?$nsTArray@V?$nsTString@D@@@@_N@Z
+?CachedIsEmpty@nsBlockFrame@@UAE_NXZ
+?IsEmpty@nsBlockFrame@@UAE_NXZ
+?GetJISx4051Breaks@LineBreaker@intl@mozilla@@QAEXPBEIW4WordBreak@123@W4Strictness@123@_NPAE@Z
+?SetBreaks@BreakSink@BuildTextRunsScanner@@UAEXIIPAE@Z
+?OptionallyBreak@InlineMinISizeData@nsIFrame@@QAEXH@Z
+?GetLogicalBaseline@nsTextFrame@@UBEHVWritingMode@mozilla@@@Z
+?GetLogicalBaseline@nsInlineFrame@@UBEHVWritingMode@mozilla@@@Z
+??$GetVisitedDependentColor@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UnsStyleTextReset@@@ComputedStyle@mozilla@@QBEIPQnsStyleTextReset@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@1@@Z
+?GetPrevInFlow@nsContinuingTextFrame@@UBEPAVnsTextFrame@@XZ
+?GetTextDecorationRect@nsCSSRendering@@SA?AUnsRect@@PAVnsPresContext@@ABUDecorationRectParams@1@@Z
+?DrawTableBorderSegment@nsCSSRendering@@SAXAAVDrawTarget@gfx@mozilla@@W4StyleBorderStyle@4@IABUnsRect@@HW4Side@4@H3H@Z
+?GfxUnitsToAppUnits@nsPresContext@@QBEHN@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@ULineDecoration@nsTextFrame@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?ComputeSize@nsImageFrame@@MAE?AUSizeComputationResult@nsIFrame@@PAVgfxContext@@VWritingMode@mozilla@@ABVLogicalSize@6@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@6@@Z
+?ResponsiveContentDensityChanged@nsImageFrame@@QAEXXZ
+?Reflow@nsImageFrame@@UAEXPAVnsPresContext@@AAVReflowOutput@mozilla@@ABUReflowInput@4@AAVnsReflowStatus@@@Z
+?MaybeDecodeForPredictedSize@nsImageFrame@@IAEXXZ
+?GetScrollbarMediator@nsScrollbarFrame@@QAEPAVnsIScrollbarMediator@@XZ
+?ComputeCustomOverflow@ScrollFrameHelper@mozilla@@QAE_NAAUOverflowAreas@2@@Z
+?ReflowFinished@nsImageFrame@@UAE_NXZ
+?UpdateVisibilitySynchronously@nsIFrame@@QAEXXZ
+?IsRectNearlyVisible@nsHTMLScrollFrame@@UAE_NABUnsRect@@@Z
+?IsRectNearlyVisible@ScrollFrameHelper@mozilla@@QBE_NABUnsRect@@@Z
+?ExpandRectToNearlyVisible@ScrollFrameHelper@mozilla@@QBE?AUnsRect@@ABU3@@Z
+?EnsureFrameInApproximatelyVisibleList@PresShell@mozilla@@QAEXPAVnsIFrame@@@Z
+?IncApproximateVisibleCount@nsIFrame@@QAEXXZ
+?OnVisibilityChange@nsImageFrame@@UAEXW4Visibility@mozilla@@ABV?$Maybe@W4OnNonvisible@mozilla@@@3@@Z
+?OnVisibilityChange@nsImageLoadingContent@@UAGXW4Visibility@mozilla@@ABV?$Maybe@W4OnNonvisible@mozilla@@@3@@Z
+?GetType@RasterImage@image@mozilla@@UAG?AW4nsresult@@PAG@Z
+?GetTransformToAncestorScaleExcludingAnimated@nsLayoutUtils@@SA?AU?$SizeTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@PAVnsIFrame@@@Z
+?IsScaleSubjectToAnimation@ActiveLayerTracker@mozilla@@SA_NPAVnsIFrame@@@Z
+?CreateDecoder@DecoderFactory@image@mozilla@@SA?AW4nsresult@@W4DecoderType@23@V?$NotNull@PAVRasterImage@image@mozilla@@@3@V?$NotNull@PAVSourceBuffer@image@mozilla@@@3@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@3W4DecoderFlags@23@W4SurfaceFlags@23@PAPAVIDecodingTask@23@@Z
+?LogicalSizeInBytes@DecodedSurfaceProvider@image@mozilla@@UBEIXZ
+?GetLineScrollAmount@ScrollFrameHelper@mozilla@@QBE?AUnsSize@@XZ
+?GetScrollRangeForUserInputEvents@ScrollFrameHelper@mozilla@@QBE?AUnsRect@@XZ
+?WidgetStateChanged@nsNativeThemeWin@@UAG?AW4nsresult@@PAVnsIFrame@@W4StyleAppearance@mozilla@@PAVnsAtom@@PA_NPBVnsAttrValue@@@Z
+?CurPosAttributeChanged@nsHTMLScrollFrame@@UAEXPAVnsIContent@@@Z
+?CurPosAttributeChanged@ScrollFrameHelper@mozilla@@QAEXPAVnsIContent@@_N@Z
+?GetLogicalUsedPadding@nsIFrame@@UBE?AVLogicalMargin@mozilla@@VWritingMode@3@@Z
+?GetLogicalUsedBorder@nsIFrame@@UBE?AVLogicalMargin@mozilla@@VWritingMode@3@@Z
+?NotifyDOMContentFlushedForRootContentDocument@nsDOMNavigationTiming@@QAEXXZ
+?GetAvailableScrollingDirectionsForUserInputEvents@nsHTMLScrollFrame@@UBEIXZ
+?CalculateCompositionSizeForFrame@nsLayoutUtils@@SA?AUnsSize@@PAVnsIFrame@@_NPBU2@@Z
+?GetActualScrollbarSizes@nsHTMLScrollFrame@@UBE?AUnsMargin@@W4ScrollbarSizesOptions@nsIScrollableFrame@@@Z
+?AddDisplayItem@nsIFrame@@QAEXPAVnsDisplayItemBase@@@Z
+?GetPostYScale@Layer@layers@mozilla@@UBEMXZ
+?GetPostXScale@Layer@layers@mozilla@@UBEMXZ
+?ScaleToInsidePixels@nsRegion@@QBE?AV?$IntRegionTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@MMH@Z
+?IntersectStrip@Band@regiondetails@@QAEXABUStrip@2@@Z
+?RepositionChild@ContainerLayer@layers@mozilla@@UAE_NPAVLayer@23@0@Z
+?RemoveChild@ContainerLayer@layers@mozilla@@UAE_NPAVLayer@23@@Z
+?RemoveChild@ShadowLayerForwarder@layers@mozilla@@QAEXPAVShadowableLayer@23@0@Z
+??4SpecificLayerAttributes@layers@mozilla@@QAEAAV012@$$QAVColorLayerAttributes@12@@Z
+??4TimingFunction@layers@mozilla@@QAEAAV012@$$QAV012@@Z
+??1ShadowableLayer@layers@mozilla@@UAE@XZ
+?SendReleaseLayer@PLayerTransactionChild@layers@mozilla@@QAE_NABVLayerHandle@23@@Z
+?HasCreatedMediaSession@Navigator@dom@mozilla@@QBE_NXZ
+MOZ_PNG_set_gray_to_rgb
+MOZ_PNG_get_gAMA
+MOZ_PNG_set_gamma
+??0nsAVIFDecoder@image@mozilla@@AAE@PAVRasterImage@12@@Z
+?Configure@SurfaceSink@image@mozilla@@QAE?AW4nsresult@@ABUSurfaceConfig@23@@Z
+?AllocateFrame@Decoder@image@mozilla@@IAE?AW4nsresult@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@W4SurfaceFormat@63@ABV?$Maybe@UAnimationParams@image@mozilla@@@3@@Z
+??0imgFrame@image@mozilla@@QAE@XZ
+?InitForDecoder@imgFrame@image@mozilla@@QAE?AW4nsresult@@ABU?$IntSizeTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@W4SurfaceFormat@63@_NABV?$Maybe@UAnimationParams@image@mozilla@@@3@2@Z
+??0RawAccessFrameRef@image@mozilla@@QAE@PAVimgFrame@12@_N@Z
+?GetImageData@imgFrame@image@mozilla@@QBEXPAPAEPAI@Z
+?DoResetToFirstRow@AbstractSurfaceSink@image@mozilla@@MAEPAEXZ
+?GetRowPointer@SurfaceSink@image@mozilla@@MBEPAEXZ
+?PremultiplyRow@gfx@mozilla@@YAP6AXPBEPAEH@ZW4SurfaceFormat@12@2@Z
+?RecvReleaseLayer@LayerTransactionParent@layers@mozilla@@IAE?AVIPCResult@ipc@3@ABVLayerHandle@23@@Z
+??$PremultiplyRow_SSE2@$00$0A@@gfx@mozilla@@YAXPBEPAEH@Z
+?DoAdvanceRow@AbstractSurfaceSink@image@mozilla@@MAEPAEXZ
+?TakeInvalidRect@AbstractSurfaceSink@image@mozilla@@UAE?AV?$Maybe@USurfaceInvalidRect@image@mozilla@@@3@XZ
+?PostInvalidation@Decoder@image@mozilla@@IAEXABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABV?$Maybe@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@3@@Z
+?ImageUpdatedInternal@imgFrame@image@mozilla@@AAE?AW4nsresult@@ABU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@@Z
+MOZ_APNG_write_frame_head
+?shrinkSlots@NativeObject@js@@QAEXPAUJSContext@@II@Z
+?emitInt32MulResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?end_callback@nsPNGDecoder@image@mozilla@@SAXPAUpng_struct_def@@PAUpng_info_def@@@Z
+?PostFrameStop@Decoder@image@mozilla@@IAEXW4Opacity@23@@Z
+?Finish@imgFrame@image@mozilla@@QAEXW4Opacity@23@_N@Z
+?PostDecodeDone@Decoder@image@mozilla@@IAEXH@Z
+?UnlockImageData@imgFrame@image@mozilla@@AAE?AW4nsresult@@XZ
+?SurfaceAvailable@SurfaceCache@image@mozilla@@SAXV?$NotNull@PAVISurfaceProvider@image@mozilla@@@3@@Z
+?GetOrientation@ImageWrapper@image@mozilla@@UAG?AUOrientation@23@XZ
+?PruneImage@SurfaceCache@image@mozilla@@SAXQAVImage@23@@Z
+?typeIncludes@MPhi@jit@js@@QAE_NPAVMDefinition@23@@Z
+?typePolicy@MBinaryCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardValue@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MGuardValue@jit@js@@UBE_NPBVMDefinition@23@@Z
+?getPredecessorIndex@MBasicBlock@jit@js@@QBEIPAV123@@Z
+?removePredecessorWithoutPhiOperands@MBasicBlock@jit@js@@QAEXPAV123@I@Z
+?removeImmediatelyDominatedBlock@MBasicBlock@jit@js@@QAEXPAV123@@Z
+?flagOperandsOfPrunedBranches@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@@Z
+?removeOperand@MPhi@jit@js@@QAEXI@Z
+?removeBlock@MIRGraph@jit@js@@QAEXPAVMBasicBlock@23@@Z
+?discardPhi@MBasicBlock@jit@js@@QAEXPAVMPhi@23@@Z
+?AccountForCFGChanges@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@_N2@Z
+?operandIfRedundant@MPhi@jit@js@@QAEPAVMDefinition@23@XZ
+?MarkLoopBlocks@jit@js@@YAIAAVMIRGraph@12@PAVMBasicBlock@12@PA_N@Z
+?UnmarkLoopBlocks@jit@js@@YAXAAVMIRGraph@12@PAVMBasicBlock@12@@Z
+?ExtractLinearInequality@jit@js@@YA_NPAVMTest@12@W4BranchDirection@12@PAUSimpleLinearSum@12@PAPAVMDefinition@12@PA_N@Z
+?operandTruncateKind@MAdd@jit@js@@UBE?AW4TruncateKind@MDefinition@23@I@Z
+?clear@BitSet@jit@js@@QAEXXZ
+?getExitMoveGroup@LBlock@jit@js@@QAEPAVLMoveGroup@23@AAVTempAllocator@23@@Z
+?IonCompileScriptForBaselineOSR@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@IPAEPAPAUIonOsrTempData@12@@Z
+?update@IonCompareIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@3PA_N@Z
+??0CompareIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@W4JSOp@@V?$Handle@VValue@JS@@@5@5@Z
+?emitGuardToBoolean@CacheIRCompiler@jit@js@@IAE_NVValOperandId@23@@Z
+?emitBooleanToNumber@CacheIRCompiler@jit@js@@IAE_NVBooleanOperandId@23@VNumberOperandId@23@@Z
+?emitGuardStringToNumber@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@VNumberOperandId@23@@Z
+?loadStringIndexValue@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?StringToNumberPure@js@@YA_NPAUJSContext@@PAVJSString@@PAN@Z
+?growStorageBy@?$Vector@PAVMDefinition@jit@js@@$05VJitAllocPolicy@23@@mozilla@@AAE_NI@Z
+?GetReadyPromise@WebExtensionPolicy@extensions@mozilla@@QBEXPAUJSContext@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?IsOpaque@Layer@layers@mozilla@@UAE_NXZ
+??0AutoAddMaskEffect@LayerManagerComposite@layers@mozilla@@QAE@PAVLayer@23@AAUEffectChain@23@@Z
+?FillRectWithMask@layers@mozilla@@YAXPAVDrawTarget@gfx@2@ABU?$RectTyped@UUnknownUnits@gfx@mozilla@@M@42@ABUDeviceColor@42@ABUDrawOptions@42@PAVSourceSurface@42@PBV?$BaseMatrix@M@42@@Z
+_moz_cairo_pattern_create_rgba
+_cairo_pattern_create_solid
+_pixman_implementation_fill
+?Constructor@URLSearchParams@dom@mozilla@@SA?AU?$already_AddRefed@VURLSearchParams@dom@mozilla@@@@ABVGlobalObject@23@ABVUSVStringSequenceSequenceOrUSVStringUSVStringRecordOrUSVString@23@AAVErrorResult@3@@Z
+?ParseInput@URLParams@mozilla@@QAEXABV?$nsTSubstring@D@@@Z
+?WrapObject@URLSearchParams@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@URLSearchParams_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVURLSearchParams@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetConstructorObject@URLSearchParams_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetRealmIteratorPrototype@JS@@YAPAVJSObject@@PAUJSContext@@@Z
+?Release@ContentPermissionRequestBase@dom@mozilla@@UAGKXZ
+?GetKeyAtIndex@URLSearchParams@dom@mozilla@@QBEABV?$nsTSubstring@_S@@I@Z
+?ToJSValue@dom@mozilla@@YA_NPAUJSContext@@ABV?$nsTSubstring@_S@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?GetValueAtIndex@URLSearchParams@dom@mozilla@@QBEABV?$nsTSubstring@_S@@I@Z
+?ToObjectInternal@IterableKeyAndValueResult@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+??0IterableKeyAndValueResult@dom@mozilla@@QAE@XZ
+?ToObjectInternal@IterableKeyOrValueResult@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+_cairo_matrix_is_integer_translation
+_moz_cairo_region_copy
+_moz_pixman_region32_translate
+?emitStringToUpperCaseResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@@Z
+?Name@ContainerLayerComposite@layers@mozilla@@UBEPBDXZ
+??1LayerComposite@layers@mozilla@@UAE@XZ
+?Stub33@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?GetActiveElement@Document@dom@mozilla@@QAEPAVElement@23@XZ
+?GetUnretargetedFocusedContent@Document@dom@mozilla@@QBEPAVnsIContent@@XZ
+?ExternalProtocolHandlerExists@nsExternalHelperAppService@@UAG?AW4nsresult@@PBDPA_N@Z
+?GetProtocolHandlerInfo@nsExternalHelperAppService@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIHandlerInfo@@@Z
+??0nsMIMEInfoBase@@QAE@ABV?$nsTSubstring@D@@W4HandlerClass@0@@Z
+?QueryInterface@nsMIMEInfoWin@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsMIMEInfoWin@@UAGKXZ
+?GetMIMEType@nsMIMEInfoBase@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?QueryInterface@nsBinaryInputStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetInputStream@nsBinaryInputStream@@UAG?AW4nsresult@@PAVnsIInputStream@@@Z
+?UnwrapArrayBufferMaybeShared@JS@@YAPAVJSObject@@PAV2@@Z
+?GetArrayBufferMaybeSharedLengthAndData@JS@@YAXPAVJSObject@@PAIPA_NPAPAE@Z
+??$UnwrapAndTypeCheckValueSlowPath@VDateObject@js@@V<lambda_1>@?0???$UnwrapAndTypeCheckThis@VDateObject@js@@@2@YAPAV12@PAUJSContext@@ABVCallArgs@JS@@PBD@Z@@detail@js@@YAPAVDateObject@1@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@V<lambda_1>@?0???$UnwrapAndTypeCheckThis@VDateObject@js@@@1@YAPAV21@0ABVCallArgs@5@PBD@Z@@Z
+?GetFromTypeAndExtension@nsExternalHelperAppService@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0PAPAVnsIMIMEInfo@@@Z
+??0nsMIMEInfoBase@@QAE@ABV?$nsTSubstring@D@@@Z
+?AppendExtension@nsMIMEInfoBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?SetPreferredAction@nsMIMEInfoBase@@UAG?AW4nsresult@@H@Z
+?CleanupCmdHandlerPath@nsLocalFile@@SA_NAAV?$nsTSubstring@_S@@@Z
+??$StripChars@_SX@?$nsTString@_S@@QAEXPBD@Z
+?SetDescription@nsMIMEInfoBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?GetHasDefaultHandler@nsMIMEInfoWin@@UAG?AW4nsresult@@PA_N@Z
+?Equals@?$nsTStringRepr@D@detail@mozilla@@QBI_NPBDP6AH00II@Z@Z
+?SetAlwaysAskBeforeHandling@nsMIMEInfoBase@@UAG?AW4nsresult@@_N@Z
+?GetPrimaryExtension@nsMIMEInfoBase@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?ExtensionExists@nsMIMEInfoBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PA_N@Z
+?SetPrimaryExtension@nsMIMEInfoBase@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?GetAlwaysAskBeforeHandling@nsMIMEInfoBase@@UAG?AW4nsresult@@PA_N@Z
+?GetNewEndOffset@xpcAccVirtualCursorChangeEvent@@UAG?AW4nsresult@@PAH@Z
+?SetProtocolHandlerDefaults@nsExternalHelperAppService@@UAG?AW4nsresult@@PAVnsIHandlerInfo@@_N@Z
+?GetPossibleApplicationHandlers@nsMIMEInfoBase@@UAG?AW4nsresult@@PAPAVnsIMutableArray@@@Z
+?GetDisplayHost@nsStandardURL@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetSelectionController@EditorBase@mozilla@@UAG?AW4nsresult@@PAPAVnsISelectionController@@@Z
+?GetRootElement@EditorBase@mozilla@@UAG?AW4nsresult@@PAPAVElement@dom@2@@Z
+?IsUnprivilegedJunkScope@xpc@@YA_NPAVJSObject@@@Z
+?IsInUAWidgetScope@xpc@@YA_NPAVJSObject@@@Z
+?Wrap@HTMLBRElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLBRElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLBRElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?WrapObject@Selection@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Selection_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSelection@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@Selection@dom@mozilla@@QBEPAVDocument@23@XZ
+?CreateInterfaceObjects@Selection_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_testing_selection_GetRangesForInterval@StaticPrefs@mozilla@@YA_NXZ
+?SetStart@nsRange@@QAEXAAVnsINode@@IAAVErrorResult@mozilla@@@Z
+?SetStart@nsRange@@QAEXABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@mozilla@@AAVErrorResult@3@@Z
+?SetEnd@nsRange@@QAEXAAVnsINode@@IAAVErrorResult@mozilla@@@Z
+?SetEnd@nsRange@@QAEXABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@mozilla@@AAVErrorResult@3@@Z
+??$ComparePoints@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@PAVnsINode@@PAVnsIContent@@@nsContentUtils@@SA?AV?$Maybe@H@mozilla@@ABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@@Z
+??$DoSetRange@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@PAVnsINode@@PAVnsIContent@@@nsRange@@IAEXABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@PAVnsINode@@_N@Z
+?AddRangeJS@Selection@dom@mozilla@@QAEXAAVnsRange@@AAVErrorResult@3@@Z
+?Stub14@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Stub22@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?UpdateImageContainer@ImageResource@image@mozilla@@IAE_NABV?$Maybe@U?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@mozilla@@@3@@Z
+?GetImageSpaceInvalidationRect@DynamicImage@image@mozilla@@UAG?AU?$IntRectTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@ABU453@@Z
+?TransformCoord@nsTransform2D@@QBEXPAH000@Z
+?InvalidateFrameWithRect@nsIFrame@@UAEXABUnsRect@@I_N@Z
+?GetLoadGroup@nsDocLoader@@UAG?AW4nsresult@@PAPAVnsILoadGroup@@@Z
+?GetInnerWidth@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetInnerWidthOuter@nsGlobalWindowOuter@@QAENAAVErrorResult@mozilla@@@Z
+?FlushDelayedResize@nsViewManager@@QAEX_N@Z
+?GetDynamicToolbarState@nsPresContext@@QBE?AW4DynamicToolbarState@mozilla@@XZ
+?GetInnerHeight@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetInnerHeightOuter@nsGlobalWindowOuter@@QAENAAVErrorResult@mozilla@@@Z
+?Wrap@HTMLParagraphElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLParagraphElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLParagraphElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetWindowRoot@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VnsWindowRoot@@@@AAVErrorResult@mozilla@@@Z
+?GetWindowRootOuter@nsGlobalWindowOuter@@QAE?AU?$already_AddRefed@VnsWindowRoot@@@@XZ
+?Wrap@WindowRoot_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsWindowRoot@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@WindowRoot_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?construct@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@ABVCallArgs@5@@Z
+?hasInstance@?$XrayWrapper@VCrossCompartmentWrapper@js@@VDOMXrayTraits@xpc@@@xpc@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@VValue@JS@@@5@PA_N@Z
+?prepareForSpreadOperand@PropertyEmitter@frontend@js@@QAE_NABV?$Maybe@I@mozilla@@@Z
+?emitCopyDataProperties@BytecodeEmitter@frontend@js@@QAE_NW4CopyOption@123@@Z
+?RestartAnimation@nsImageFrame@@QAE?AW4nsresult@@XZ
+??$js_strtod@_S@@YA_NPAUJSContext@@PB_S1PAPB_SPAN@Z
+??$NewStringCopyNDontDeflate@$00_S@js@@YAPAVJSLinearString@@PAUJSContext@@PB_SIW4InitialHeap@gc@0@@Z
+?Release@nsOpenWindowInfo@@UAGKXZ
+?QueryInterface@nsScriptableUnicodeConverter@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetCharset@nsScriptableUnicodeConverter@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+encoding_new_encoder
+_ZN11encoding_rs7variant15VariantEncoding11new_encoder17hffba3751b4cb7c95E
+?ConvertToByteArray@nsScriptableUnicodeConverter@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PAIPAPAE@Z
+_ZN11encoding_rs7Encoder48max_buffer_length_from_utf16_without_replacement17h96b6f9f15d5d5e31E
+encoder_encode_from_utf16_without_replacement
+?QueryInterface@nsCryptoHash@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Base64EncodeInputStream@mozilla@@YA?AW4nsresult@@PAVnsIInputStream@@AAV?$nsTSubstring@_S@@II@Z
+?GetPreviousEntryIndex@nsDocShell@@UAG?AW4nsresult@@PAH@Z
+?GetLoadedEntryIndex@nsDocShell@@UAG?AW4nsresult@@PAH@Z
+?EvictOutOfRangeContentViewers@nsSHistory@@UAG?AW4nsresult@@H@Z
+?EvictOutOfRangeWindowContentViewers@nsSHistory@@EAEXH@Z
+?IndexOf@nsCOMArray_base@@IBEHPAVnsISupports@@I@Z
+?GloballyEvictContentViewers@nsSHistory@@CAXXZ
+_ZN5style9rule_tree50_$LT$impl$u20$style..rule_tree..core..RuleTree$GT$20update_rule_at_level17hd72520462537e05fE
+?DestroyFrom@nsInlineFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?SetPrevInFlow@nsContinuingTextFrame@@UAEXPAVnsIFrame@@@Z
+?SetPrevContinuation@nsSplittableFrame@@UAEXPAVnsIFrame@@@Z
+?SetPrevInFlow@nsSplittableFrame@@UAEXPAVnsIFrame@@@Z
+??_GnsInlineFrame@@UAEPAXI@Z
+?DestroyFrom@nsContinuingTextFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?RemoveFromFlow@nsSplittableFrame@@SAXPAVnsIFrame@@@Z
+?RFindLineContaining@nsLineBox@@SA_NPAVnsIFrame@@ABVnsLineList_iterator@@AAV3@0PAH@Z
+?HasSignificantTerminalNewline@nsTextFrame@@UBE_NXZ
+?MovePositionBy@nsIFrame@@QAEXABUnsPoint@@@Z
+?ApplyRelativePositioning@ReflowInput@mozilla@@SAXPAVnsIFrame@@ABUnsMargin@@PAUnsPoint@@@Z
+?IsScrollbarOnRight@nsHTMLScrollFrame@@UBE_NXZ
+?SetScrollLeft@Element@dom@mozilla@@QAEXH@Z
+?AddFrame@OverflowChangedTracker@mozilla@@QAEXPAVnsIFrame@@W4ChangeKind@12@@Z
+?remove@?$SplayTree@UEntry@OverflowChangedTracker@mozilla@@U123@@mozilla@@QAEPAUEntry@OverflowChangedTracker@2@ABU342@@Z
+?splay@?$SplayTree@UEntry@OverflowChangedTracker@mozilla@@U123@@mozilla@@AAEXPAUEntry@OverflowChangedTracker@2@@Z
+?UpdateOverflow@nsIFrame@@QAE_NXZ
+?UnionChildOverflow@nsIFrame@@UAEXAAUOverflowAreas@mozilla@@@Z
+?DoesClipChildrenInBothAxes@nsIFrame@@MAE_NXZ
+?LookUpSelection@nsFrameSelection@@QBE?AV?$UniquePtr@USelectionDetails@@V?$DefaultDelete@USelectionDetails@@@mozilla@@@mozilla@@PAVnsIContent@@HH_N@Z
+?LookUpSelection@Selection@dom@mozilla@@QAE?AV?$UniquePtr@USelectionDetails@@V?$DefaultDelete@USelectionDetails@@@mozilla@@@3@PAVnsIContent@@HHV43@W4SelectionType@3@_N@Z
+?GetRangesForIntervalArray@Selection@dom@mozilla@@QAE?AW4nsresult@@PAVnsINode@@H0H_NPAV?$nsTArray@PAVnsRange@@@@@Z
+??R?$DefaultDelete@VnsFloatManager@@@mozilla@@QBEXPAVnsFloatManager@@@Z
+??1SelectionDetails@@QAE@XZ
+?IsSmoothScroll@nsHTMLScrollFrame@@UBE_NW4ScrollBehavior@dom@mozilla@@@Z
+?GetScrollPositionCSSPixels@nsHTMLScrollFrame@@UAE?AU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@mozilla@@XZ
+?ScrollToCSSPixels@nsHTMLScrollFrame@@UAEXABU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@mozilla@@W4ScrollMode@4@W4ScrollSnapMode@nsIScrollbarMediator@@W4ScrollOrigin@4@@Z
+?ScrollToCSSPixels@ScrollFrameHelper@mozilla@@QAEXABU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@2@W4ScrollMode@2@W4ScrollSnapMode@nsIScrollbarMediator@@W4ScrollOrigin@2@@Z
+?PostScrollEndEvent@ScrollFrameHelper@mozilla@@QAEXXZ
+?ScrollToCSSPixelsApproximate@ScrollFrameHelper@mozilla@@QAEXABU?$PointTyped@UCSSPixel@mozilla@@M@gfx@2@W4ScrollOrigin@2@@Z
+?ComputeScrollSnapInfo@ScrollFrameHelper@mozilla@@ABE?AUScrollSnapInfo@layers@2@ABV?$Maybe@UnsPoint@@@2@@Z
+?GetSnapPointForDestination@ScrollSnapUtils@mozilla@@SA?AV?$Maybe@UnsPoint@@@2@ABUScrollSnapInfo@layers@2@W4ScrollUnit@2@ABUnsRect@@ABUnsPoint@@3@Z
+?PostScrollEvent@nsRefreshDriver@@QAEXPAVRunnable@mozilla@@_N@Z
+?IsMaybeScrollingActive@ScrollFrameHelper@mozilla@@QBE_NXZ
+?IsMaybeAsynchronouslyScrolled@nsHTMLScrollFrame@@UAE_NXZ
+?IsScrollingActive@nsHTMLScrollFrame@@UAE_NPAVnsDisplayListBuilder@@@Z
+?IsFrameOfType@nsInlineFrame@@UBE_NI@Z
+?BuildDisplayList@nsInlineFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?BuildDisplayList@nsImageFrame@@UAEXPAVnsDisplayListBuilder@@ABVnsDisplayListSet@@@Z
+?NotifyNonBlankPaintForRootContentDocument@nsDOMNavigationTiming@@QAEXXZ
+?IsBeforeLastActiveTabLoadOptimization@nsHttpHandler@net@mozilla@@QAE_NABVTimeStamp@3@@Z
+?GetBounds@nsDisplayImage@@UBE?AUnsRect@@PAVnsDisplayListBuilder@@PA_N@Z
+?GetBounds@nsDisplayImage@@QBE?AUnsRect@@PA_N@Z
+?ResetScrollPositionForLayerPixelAlignment@nsHTMLScrollFrame@@UAEXXZ
+?FindNonTransparentBackgroundFrame@nsCSSRendering@@SAPAVnsIFrame@@PAV2@_N@Z
+?GetParentOrPlaceholderFor@nsLayoutUtils@@SAPAVnsIFrame@@PBV2@@Z
+??$GetVisitedDependentColor@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UnsStyleBackground@@@ComputedStyle@mozilla@@QBEIPQnsStyleBackground@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@1@@Z
+?NS_GetLuminosity@@YAHI@Z
+?WrapObject@VideoPlaybackQuality@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?blitAntiH2@SkARGB32_Opaque_Blitter@@UAEXHHII@Z
+?blitH@SkARGB32_Blitter@@UAEXHHH@Z
+?sk_get_dwrite_default_rendering_params@@YAPAUIDWriteRenderingParams@@XZ
+?sk_get_dwrite_factory@@YAPAUIDWriteFactory@@XZ
+?PaintBoxShadowInner@nsCSSRendering@@SAXPAVnsPresContext@@AAVgfxContext@@PAVnsIFrame@@ABUnsRect@@@Z
+?DoPaint@nsContextBoxBlur@@QAEXXZ
+?PaintDecorationLine@nsCSSRendering@@SAXPAVnsIFrame@@AAVDrawTarget@gfx@mozilla@@ABUPaintDecorationLineParams@1@@Z
+?GetSpacing@PropertyProvider@nsTextFrame@@UBEXURange@gfxTextRun@@PAUSpacing@gfxFont@@@Z
+?GetSpacingInternal@PropertyProvider@nsTextFrame@@QBEXURange@gfxTextRun@@PAUSpacing@gfxFont@@_N@Z
+?FindFirstGlyphRunContaining@gfxTextRun@@QBEII@Z
+?NextRun@GlyphRunIterator@gfxTextRun@@QAE_NXZ
+?GetSkTypeface@ScaledFontBase@gfx@mozilla@@QAEPAVSkTypeface@@XZ
+?GetSize@ScaledFontBase@gfx@mozilla@@UBEMXZ
+??0SkFont@@QAE@V?$sk_sp@VSkTypeface@@@@M@Z
+??1SkTextBlobBuilder@@QAE@XZ
+?getIntercepts@SkTextBlob@@QBEHQBMQAMPBVSkPaint@@@Z
+?textBlobToGlyphRunListIgnoringRSXForm@SkGlyphRunBuilder@@QAEXABVSkPaint@@ABVSkTextBlob@@USkPoint@@@Z
+?MakeFromText@SkTextBlob@@SA?AV?$sk_sp@VSkTextBlob@@@@PBXIABVSkFont@@W4SkTextEncoding@@@Z
+?setMaskFilter@SkPaint@@QAEXV?$sk_sp@VSkMaskFilter@@@@@Z
+?MakeWithNoDevice@SkStrikeSpec@@SA?AV1@ABVSkFont@@PBVSkPaint@@@Z
+?getTotalMemoryUsed@SkStrikeCache@@QBEIXZ
+?findOrCreateExclusiveStrike@SkStrikeSpec@@QBE?AVExclusiveStrikePtr@SkStrikeCache@@PAV3@@Z
+?glyph@SkStrike@@QAEPAVSkGlyph@@USkPackedGlyphID@@@Z
+?preparePath@SkStrike@@QAEPBVSkPath@@PAVSkGlyph@@@Z
+?setPath@SkGlyph@@QAE_NPAVSkArenaAlloc@@PAVSkScalerContext@@@Z
+?internalGetPath@SkScalerContext@@AAE_NUSkPackedGlyphID@@PAVSkPath@@@Z
+?Create@SkDWriteGeometrySink@@SAJPAVSkPath@@PAPAUID2D1SimplifiedGeometrySink@@@Z
+?onFork@SkMemoryStream@@EBEPAV1@XZ
+?quadTo@SkPath@@QAEAAV1@MMMM@Z
+??$make_unique@VSkMemoryStream@@V?$sk_sp@VSkData@@@@@skstd@@YA?AV?$unique_ptr@VSkMemoryStream@@U?$default_delete@VSkMemoryStream@@@std@@@std@@$$QAV?$sk_sp@VSkData@@@@@Z
+?getGenerationID@SkPath@@QBEIXZ
+?approximateBytesUsed@SkPath@@QBEIXZ
+?ensureIntercepts@SkGlyph@@QAEXQBMMMPAMPAHPAVSkArenaAlloc@@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@MUnsTArrayInfallibleAllocator@@@@AAEPAMI@Z
+??1SkTextBlob@@AAE@XZ
+?GetImageMap@nsImageFrame@@QAEPAVnsImageMap@@XZ
+?FindImageMap@nsImageLoadingContent@@QAEPAVElement@dom@mozilla@@XZ
+?SetContainer@ClientImageLayer@layers@mozilla@@MAEXPAVImageContainer@23@@Z
+?DestroySurfaceDescriptor@ShadowLayerForwarder@layers@mozilla@@UAEXPAVSurfaceDescriptor@23@@Z
+?SendReleaseCompositable@PLayerTransactionChild@layers@mozilla@@QAE_NABVCompositableHandle@23@@Z
+??$AppendNewToTopWithIndex@VnsDisplayBlendMode@@VnsIFrame@@PAVnsDisplayList@@ABW4StyleBlend@mozilla@@AAPBUActiveScrolledRoot@5@_N@nsDisplayList@@QAEXPAVnsDisplayListBuilder@@PAVnsIFrame@@G$$QAPAV0@ABW4StyleBlend@mozilla@@AAPBUActiveScrolledRoot@4@$$QA_N@Z
+?ReleaseCompositable@CompositableParentManager@layers@mozilla@@IAEXABVCompositableHandle@23@@Z
+?_Extract@?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CB_KV?$RefPtr@VCompositableHost@layers@mozilla@@@@@std@@@std@@@std@@QAEPAU?$_Tree_node@U?$pair@$$CB_KV?$RefPtr@VCompositableHost@layers@mozilla@@@@@std@@PAX@2@V?$_Tree_const_iterator@V?$_Tree_val@U?$_Tree_simple_types@U?$pair@$$CB_KV?$RefPtr@VCompositableHost@layers@mozilla@@@@@std@@@std@@@std@@@2@@Z
+?Disconnect@PaintedLayerComposite@layers@mozilla@@UAEXXZ
+?Stub17@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?intl_Collator@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?intl_supportedLocaleOrFallback@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?tryParse@LanguageTagParser@intl@js@@SA?AV?$Result@_NUError@JS@@@mozilla@@PAUJSContext@@PAVJSLinearString@@AAVLanguageTag@23@@Z
+?removeLikelySubtags@LanguageTag@intl@js@@QAE_NPAUJSContext@@@Z
+?canonicalizeBaseName@LanguageTag@intl@js@@QAE_NPAUJSContext@@@Z
+?canonicalizeExtensions@LanguageTag@intl@js@@QAE_NPAUJSContext@@@Z
+?toString@LanguageTag@intl@js@@QBEPAVJSString@@PAUJSContext@@@Z
+?intl_BestAvailableLocale@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?isSupportedLocale@SharedIntlData@intl@js@@QAE_NPAUJSContext@@W4SupportedLocaleKind@123@V?$Handle@PAVJSString@@@JS@@PA_N@Z
+?tryCanonicalizeTimeZoneConsistentWithIANA@SharedIntlData@intl@js@@QAE_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@V?$MutableHandle@PAVJSAtom@@@6@@Z
+?ValidateAndNormalizeHighWaterMark@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PAN@Z
+?intl_isUpperCaseFirst@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?isUpperCaseFirst@SharedIntlData@intl@js@@QAE_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@PA_N@Z
+?intl_CompareStrings@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?EncodeAscii@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PAVJSString@@@Z
+?SetFullZoom@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@M@Z
+?postBarrieredSet@?$HeapPtr@VValue@JS@@@js@@IAEXABVValue@JS@@@Z
+?Wrap@HTMLAnchorElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLAnchorElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLAnchorElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetSupportedNames@HTMLAllCollection@dom@mozilla@@QAEXAAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?Int32ToAtom@js@@YAPAVJSAtom@@PAUJSContext@@H@Z
+?NS_NewHTMLIFrameElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?GetRowSpec@HTMLFrameSetElement@dom@mozilla@@QAE?AW4nsresult@@PAHPAPBUnsFramesetSpec@@@Z
+?Wrap@HTMLIFrameElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLIFrameElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLIFrameElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?AfterSetAttr@nsGenericHTMLFrameElement@@MAE?AW4nsresult@@HPAVnsAtom@@PBVnsAttrValue@@1PAVnsIPrincipal@@_N@Z
+?SwapFrameLoaders@nsGenericHTMLFrameElement@@QAEXAAVXULFrameElement@dom@mozilla@@AAVErrorResult@4@@Z
+?WrapNode@HTMLSummaryElement@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@HTMLElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsGenericHTMLElement@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetOffsetRect@nsGenericHTMLElement@@IAEPAVElement@dom@mozilla@@AAU?$IntRectTyped@UCSSPixel@mozilla@@@gfx@4@@Z
+?GetPrimaryFrame@nsIContent@@QAEPAVnsIFrame@@W4FlushType@mozilla@@@Z
+?GetPositionOfChildIgnoringScrolling@nsHTMLScrollFrame@@UAE?AUnsPoint@@PBVnsIFrame@@@Z
+?GetOffsetTo@nsIFrame@@QBE?AUnsPoint@@PBV1@@Z
+?SetAppUnits@nsROCSSPrimitiveValue@@QAEXH@Z
+?BindToTree@nsGenericHTMLFrameElement@@UAE?AW4nsresult@@AAUBindContext@dom@mozilla@@AAVnsINode@@@Z
+?LoadSrc@nsGenericHTMLFrameElement@@IAEXXZ
+?GetIsForWindowDotPrint@nsOpenWindowInfo@@UAG?AW4nsresult@@PA_N@Z
+?QueryInterface@nsGenericHTMLFrameElement@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?InheritPolicy@FeaturePolicy@dom@mozilla@@QAEXPAV123@@Z
+?AccumulateMixedContentHSTS@nsMixedContentBlocker@@SAXPAVnsIURI@@_NABVOriginAttributes@mozilla@@@Z
+?IsFeatureAllowed@FeaturePolicyUtils@dom@mozilla@@SA_NPAVDocument@23@ABV?$nsTSubstring@_S@@@Z
+?AllowsFeature@FeaturePolicy@dom@mozilla@@QBE_NABV?$nsTSubstring@_S@@ABV?$Optional@V?$nsTSubstring@_S@@@23@@Z
+?GetMozbrowser@nsGenericHTMLFrameElement@@UAG?AW4nsresult@@PA_N@Z
+?SetLoadTriggeredFromExternal@LoadInfo@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetOnload@nsGenericHTMLElement@@QAEXPAVEventHandlerNonNull@dom@mozilla@@@Z
+?CloseWithStatus@NonBlockingAsyncInputStream@mozilla@@UAG?AW4nsresult@@W43@@Z
+?GetInnerWindow@WindowContext@dom@mozilla@@QBEPAVnsGlobalWindowInner@@XZ
+?JS_IterateCompartmentsInZone@@YAXPAUJSContext@@PAVZone@JS@@PAXP6A?AW4CompartmentIterResult@3@02PAVCompartment@3@@Z@Z
+?CompartmentHasLiveGlobal@js@@YA_NPAVCompartment@JS@@@Z
+?IsSameOrigin@CompartmentOriginInfo@xpc@@QBE_NPAVnsIPrincipal@@@Z
+?XBLScopeStateMatches@XPCWrappedNativeScope@@QAE_NPAVnsIPrincipal@@@Z
+??1nsDeviceContext@@AAE@XZ
+?FindContentForSubDocument@Document@dom@mozilla@@QBEPAVElement@23@PAV123@@Z
+?GetHasEditingSession@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?NotifyAbortedLoad@Document@dom@mozilla@@QAEXXZ
+?Assert@Console@dom@mozilla@@SAXABVGlobalObject@23@_NABV?$Sequence@VValue@JS@@@23@@Z
+?Remove@nsDOMTokenList@@QAEXABV?$nsTArray@V?$nsTString@_S@@@@AAVErrorResult@mozilla@@@Z
+?Add@nsDOMTokenList@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?GetBrowsingContext@JSWindowActorChild@dom@mozilla@@QAEPAVBrowsingContext@23@AAVErrorResult@3@@Z
+??4?$RefPtr@VPeriodicWave@dom@mozilla@@@@QAEAAV0@PAVPeriodicWave@dom@mozilla@@@Z
+??_GPaintedLayerComposite@layers@mozilla@@MAEPAXI@Z
+?InitSourceId@nsScriptErrorBase@@UAG?AW4nsresult@@I@Z
+?CountSiteOrigins@CanonicalBrowsingContext@dom@mozilla@@SAIAAVGlobalObject@23@ABV?$Sequence@V?$OwningNonNull@VBrowsingContext@dom@mozilla@@@mozilla@@@23@@Z
+?GetOwnerGlobal@nsWindowRoot@@UBEPAVnsIGlobalObject@@XZ
+?ClientRects@NotifyPaintEvent@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMRectList@dom@mozilla@@@@VSystemCallerGuarantee@23@@Z
+?Overflows@nsRect@@QBE_NXZ
+?WrapObject@DOMRectList@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@DOMRectList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMRectList@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?QueryInterface@Event@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?CreateInterfaceObjects@DOMRectList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@DOMRectReadOnly_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMRectReadOnly@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetLocation@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VLocation@dom@mozilla@@@@XZ
+?emitProxyHasPropResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@_N@Z
+?Item@nsBaseContentList@@UAEPAVnsIContent@@I@Z
+?GetConstructorObject@HTMLOutputElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?NativeRole@HTMLCaptionAccessible@a11y@mozilla@@UBE?AW4Role@roles@23@XZ
+?ProxyHas@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@PA_N@Z
+?SetCurrentPositionFromEnd@RegExpBytecodeGenerator@internal@v8@@UAEXH@Z
+?regexp_global@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?regexp_ignoreCase@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?regexp_multiline@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?regexp_dotAll@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?regexp_unicode@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?NotifyApproximateFrameVisibilityUpdate@nsHTMLScrollFrame@@UAEX_N@Z
+?ExpandRectToNearlyVisible@nsHTMLScrollFrame@@UBE?AUnsRect@@ABU2@@Z
+?DecApproximateVisibleCount@nsIFrame@@QAEXABV?$Maybe@W4OnNonvisible@mozilla@@@mozilla@@@Z
+?FireResizeEvent@PresShell@mozilla@@QAEXXZ
+?GetCurrentDOMEventTarget@WidgetEvent@mozilla@@QBEPAVEventTarget@dom@2@XZ
+?DropRequestsForFrame@ImageLoader@css@mozilla@@QAEXPAVnsIFrame@@@Z
+?DisassociateRequestFromFrame@ImageLoader@css@mozilla@@QAEXPAVimgIRequest@@PAVnsIFrame@@@Z
+?Shutdown@ImageLoader@css@mozilla@@SAXXZ
+?Remove@ImageTracker@dom@mozilla@@QAE?AW4nsresult@@PAVimgIRequest@@I@Z
+?RemoveImageRequest@nsRefreshDriver@@QAEXPAVimgIRequest@@@Z
+?ClipForASR@DisplayItemClipChain@mozilla@@SAPBVDisplayItemClip@2@PBU12@PBUActiveScrolledRoot@2@@Z
+?ClearIsRunningOnCompositor@EffectCompositor@mozilla@@SAXPBVnsIFrame@@W4DisplayItemType@@@Z
+?FuzzyEqual@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@gfx@mozilla@@QBE_NABV123@@Z
+??_GTextureClient@layers@mozilla@@UAEPAXI@Z
+??1TextureClient@layers@mozilla@@UAE@XZ
+?Destroy@TextureClient@layers@mozilla@@QAEXXZ
+?IsRemote@TextureData@layers@mozilla@@SA_NPAVKnowsCompositor@23@W4BackendSelector@23@@Z
+?SendDestroy@PTextureChild@layers@mozilla@@QAE_NXZ
+?OnMessageReceived@PTextureParent@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?ReceivedDestroy@TextureHost@layers@mozilla@@SAXPAVPTextureParent@23@@Z
+?Send__delete__@PTextureParent@layers@mozilla@@SA_NPAV123@@Z
+??_GTextureParent@layers@mozilla@@UAEPAXI@Z
+?DeallocManagee@PCompositorBridgeParent@layers@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?Finalize@TextureHost@layers@mozilla@@AAEXXZ
+?MaybeDestroyRenderTexture@TextureHost@layers@mozilla@@UAEXXZ
+??1TextureHost@layers@mozilla@@MAE@XZ
+?GetUnderlyingSurface@SourceSurface@gfx@mozilla@@UAE?AU?$already_AddRefed@VSourceSurface@gfx@mozilla@@@@XZ
+?GetDataType@NullVariant@storage@mozilla@@UAEGXZ
+?XPConnect@nsIXPConnect@@SAPAV1@XZ
+?GetString@ArgValueArray@storage@mozilla@@UAG?AW4nsresult@@IAAV?$nsTSubstring@_S@@@Z
+?OnMessageReceived@PTextureChild@layers@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+?Width@TransformReferenceBox@nsStyleTransformMatrix@@QAEHXZ
+?RemoveManagee@PCompositorBridgeChild@layers@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?DeallocManagee@PCompositorBridgeChild@layers@mozilla@@UAEXHPAVIProtocol@ipc@3@@Z
+?DestroyIPDLActor@TextureClient@layers@mozilla@@SA_NPAVPTextureChild@23@@Z
+?CancelIdleRunnable@nsRefreshDriver@@SAXPAVnsIRunnable@@@Z
+?_Do_call@?$_Func_impl_no_alloc@P6A_NVTimeStamp@mozilla@@@Z_NV12@@std@@EAE_N$$QAVTimeStamp@mozilla@@@Z
+?Cancel@IdleTaskRunner@mozilla@@UAE?AW4nsresult@@XZ
+?SetQuery@Mutator@nsSimpleNestedURI@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetScheme@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+rust_net_is_valid_scheme
+?triggerGC@GCRuntime@gc@js@@QAE_NW4GCReason@JS@@@Z
+_cairo_bentley_ottmann_tessellate_boxes
+_cairo_traps_add_trap
+?startGC@GCRuntime@gc@js@@QAEXW4JSGCInvocationKind@@W4GCReason@JS@@_J@Z
+??0SliceBudget@js@@QAE@UTimeBudget@1@@Z
+?shouldCollect@Nursery@js@@QBE_NXZ
+?IsCurrentlyAnimating@gc@js@@YA_NABVTimeStamp@mozilla@@0@Z
+?maybeReleaseJitScript@JSScript@@QAEXPAVJSFreeOp@@@Z
+?bufferGrayRoots@GCRuntime@gc@js@@AAEXXZ
+?TraceJS@XPCTraceableVariant@@QAEXPAVJSTracer@@@Z
+?TraceExternalEdge@gc@js@@YAXPAVJSTracer@@PAPAVJSObject@@PBD@Z
+?ReleaseCachedProcesses@MessageBroadcaster@dom@mozilla@@QAEXXZ
+?Trace@nsMessageManagerScriptExecutor@@IAEXABUTraceCallbacks@@PAX@Z
+?Trace@JsGcTracer@@UBEXPAV?$Heap@PAVJSObject@@@JS@@PBDPAX@Z
+?Trace@cycleCollection@CallbackObject@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@cycleCollection@JSStackFrame@exceptions@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?RecvClose@MessagePortParent@dom@mozilla@@AAE?AVIPCResult@ipc@3@XZ
+?Trace@cycleCollection@CSSRuleList@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@JsGcTracer@@UBEXPAVnsWrapperCache@@PBDPAX@Z
+?Trace@JsGcTracer@@UBEXPAV?$Heap@PAVJSScript@@@JS@@PBDPAX@Z
+?Trace@cycleCollection@AbstractRange@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?UnlinkJSObjects@nsXULPrototypeScript@@QAEXXZ
+?Trace@cycleCollection@Event@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@cycleCollection@Localization@intl@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@cycleCollection@WorkerGlobalScopeBase@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@cycleCollection@FragmentOrElement@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?Trace@cycleCollection@RTCIceCandidate@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?UnsafeTraceRoot@JS@@YAXPAVJSTracer@@PAPAVJSAtom@@PBD@Z
+?markEntries@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@MAE_NPAVGCMarker@2@@Z
+?MarkInGC@nsXULPrototypeCache@@QAEXPAVJSTracer@@@Z
+?TraceScriptHolder@mozilla@@YAXPAVnsISupports@@PAVJSTracer@@@Z
+?TraceListeners@EventListenerManager@mozilla@@QAEXPAVJSTracer@@@Z
+?QueryInterface@CallbackObject@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?TraceDefinitions@CustomElementRegistry@dom@mozilla@@QAEXPAVJSTracer@@@Z
+?TraceProtos@nsXULPrototypeDocument@@QAEXPAVJSTracer@@@Z
+?Trace@ScriptPreloader@mozilla@@QAEXPAVJSTracer@@@Z
+?trace@JitScript@jit@js@@QAEXPAVJSTracer@@@Z
+?trace@ICEntry@jit@js@@QAEXPAVJSTracer@@@Z
+?TraceDataRelocations@AssemblerX86Shared@jit@js@@SAXPAVJSTracer@@PAVJitCode@23@AAVCompactBufferReader@23@@Z
+??$TraceEdgeInternal@PAVSymbol@JS@@@gc@js@@YA_NPAVJSTracer@@PAPAVSymbol@JS@@PBD@Z
+?trace@IonScript@jit@js@@QAEXPAVJSTracer@@@Z
+?trace@IonIC@jit@js@@QAEXPAVJSTracer@@PAVIonScript@23@@Z
+??$TraceCacheIRStub@VIonICStub@jit@js@@@jit@js@@YAXPAVJSTracer@@PAVIonICStub@01@PBVCacheIRStubInfo@01@@Z
+?trace@InliningRoot@jit@js@@QAEXPAVJSTracer@@@Z
+?trace@ICScript@jit@js@@QAEXPAVJSTracer@@@Z
+?traceChildren@RegExpShared@js@@QAEXPAVJSTracer@@@Z
+?checkOverBudget@SliceBudget@js@@AAE_NXZ
+?endTime@GCDescription@JS@@QBE?AVTimeStamp@mozilla@@PAUJSContext@@@Z
+?lastSliceStart@GCDescription@JS@@QBE?AVTimeStamp@mozilla@@PAUJSContext@@@Z
+?nsCycleCollector_suspectedCount@@YAIXZ
+?setGCSliceThresholds@ZoneAllocator@js@@QAEXAAVGCRuntime@gc@2@@Z
+?setSliceThreshold@HeapThreshold@gc@js@@QAEXPAVZoneAllocator@3@ABVHeapSize@23@ABVGCSchedulingTunables@23@@Z
+?PerformIncrementalReadBarrier@gc@js@@YAXVGCCellPtr@JS@@@Z
+?ThrowOperation@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?WriteFrom@nsBufferedOutputStream@@UAG?AW4nsresult@@PAVnsIInputStream@@IPAI@Z
+?WriteSegments@nsBufferedOutputStream@@UAG?AW4nsresult@@P6A?AW42@PAVnsIOutputStream@@PAXPADIIPAI@Z1I3@Z
+?Close@nsBufferedOutputStream@@UAG?AW4nsresult@@XZ
+?Flush@nsBufferedOutputStream@@UAG?AW4nsresult@@XZ
+?GetResponseStatusText@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetLocation@Exception@dom@mozilla@@QBE?AU?$already_AddRefed@VnsIStackFrame@@@@XZ
+?Stringify@Exception@dom@mozilla@@QAEXPAUJSContext@@AAV?$nsTString@_S@@@Z
+?MarkValueFromJit@jit@js@@YAXPAUJSRuntime@@PAVValue@JS@@@Z
+?MarkObjectFromJit@jit@js@@YAXPAUJSRuntime@@PAPAVJSObject@@@Z
+?Stub24@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Stub18@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?emitLoadDenseElementHoleResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+??0HttpActivityArgs@net@mozilla@@QAE@$$QAVHttpActivity@12@@Z
+?canProduceFloat32@MPhi@jit@js@@UBE_NXZ
+?typePolicy@MGetIteratorCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MBoundsCheckLower@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MCall@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MPostWriteElementBarrier@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MStoreElementHole@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MIsCallable@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MArgumentsLength@jit@js@@UAEXAAVTempAllocator@23@@Z
+?add@LinearSum@jit@js@@QAE_NPAVMDefinition@23@H@Z
+?multiply@LinearSum@jit@js@@QAE_NH@Z
+?add@LinearSum@jit@js@@QAE_NABV123@H@Z
+?defineReturn@LIRGeneratorShared@jit@js@@IAEXPAVLInstruction@23@PAVMDefinition@23@@Z
+?aliases@LAllocation@jit@js@@QBE_NABV123@@Z
+?emitPreBarrier@CodeGeneratorShared@jit@js@@IAEXURegister@23@PBVLAllocation@23@@Z
+?twoByteOp@X86InstructionFormatter@BaseAssembler@X86Encoding@jit@js@@QAEXW4TwoByteOpcodeID@345@H@Z
+?accept@OutOfLineUndoALUOperation@jit@js@@UAEXPAVCodeGeneratorX86Shared@23@@Z
+?visitOutOfLineUndoALUOperation@CodeGeneratorX86Shared@jit@js@@QAEXPAVOutOfLineUndoALUOperation@23@@Z
+?visitWasmTruncateToInt32@CodeGenerator@jit@js@@AAEXPAVLWasmTruncateToInt32@23@@Z
+?resetOn@InlineFrameIterator@jit@js@@QAEXPBVJSJitFrameIter@23@@Z
+?machineState@JSJitFrameIter@jit@js@@QBE?AVMachineState@23@XZ
+?checkInvalidation@JSJitFrameIter@jit@js@@QBE_NPAPAVIonScript@23@@Z
+?getSafepointIndex@IonScript@jit@js@@QBEPBVSafepointIndex@23@I@Z
+??0SafepointReader@jit@js@@QAE@PAVIonScript@12@PBVSafepointIndex@12@@Z
+?ReduceSetForPush@FloatRegister@jit@js@@SA?AV?$TypedRegisterSet@UFloatRegister@jit@js@@@23@ABV423@@Z
+?osiIndex@JSJitFrameIter@jit@js@@QBEPBVOsiIndex@23@XZ
+?getOsiIndex@IonScript@jit@js@@QBEPBVOsiIndex@23@I@Z
+??0RecoverReader@jit@js@@QAE@ABV012@@Z
+?cloneInto@RResumePoint@jit@js@@UBEXPAVRInstructionStorage@23@@Z
+?findNextFrame@InlineFrameIterator@jit@js@@AAEXXZ
+?str_charCodeAt@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?str_charCodeAt_impl@js@@YA_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@V?$Handle@VValue@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?emitLoadStringCharCodeResult@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@VInt32OperandId@23@@Z
+?StripTrackingIdentifiers@URLDecorationStripper@mozilla@@SA?AW4nsresult@@PAVnsIURI@@AAV?$nsTSubstring@D@@@Z
+?Index@ChildSHistory@dom@mozilla@@QAEHXZ
+?beforeClearDelegateInternal@Zone@JS@@QAEXPAVJSObject@@0@Z
+?severWeakDelegate@GCMarker@js@@QAEXPAVJSObject@@0@Z
+?sipHash@SipHasher@HashCodeScrambler@mozilla@@QAE_K_K@Z
+?afterAddDelegateInternal@Zone@JS@@QAEXPAVJSObject@@@Z
+?get@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@QAEPAVEntry@12@ABQAUCell@gc@2@@Z
+?Read@?$EnumSerializer@W4ColorDepth@gfx@mozilla@@V?$ContiguousEnumValidator@W4ColorDepth@gfx@mozilla@@$0A@$03@IPC@@@IPC@@SA_NPBVMessage@2@PAVPickleIterator@@PAW4ColorDepth@gfx@mozilla@@@Z
+?QueryInterface@NullHttpChannel@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@NullHttpChannel@net@mozilla@@UAGKXZ
+?Wrap@MozSharedMapChangeEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSharedMapChangeEvent@ipc@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?CreateInterfaceObjects@MozSharedMapChangeEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@V?$nsTString@_S@@@?$nsTArray_Impl@V?$nsTString@_S@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$nsTString@_S@@PBV1@I@Z
+?NurseryWrapperPreserved@CycleCollectedJSRuntime@mozilla@@QAEXPAVJSObject@@@Z
+?AddPersistentRoot@JS@@YAXPAUJSRuntime@@W4RootKind@1@PAV?$PersistentRooted@PAX@1@@Z
+?Init@DelayedRunnable@mozilla@@QAE?AW4nsresult@@XZ
+?NS_NewSafeLocalFileOutputStream@@YA?AW4nsresult@@PAPAVnsIOutputStream@@PAVnsIFile@@HHH@Z
+?QueryInterface@nsAtomicFileOutputStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Init@nsAtomicFileOutputStream@@UAG?AW4nsresult@@PAVnsIFile@@HHH@Z
+?Init@nsFileOutputStream@@UAG?AW4nsresult@@PAVnsIFile@@HHH@Z
+?DoOpen@nsAtomicFileOutputStream@@UAE?AW4nsresult@@XZ
+?SetCapacity@?$nsTSubstring@_S@@QAIXI@Z
+?CreateUnique@nsLocalFile@@UAG?AW4nsresult@@II@Z
+?NS_NewBufferedOutputStream@@YA?AW4nsresult@@PAPAVnsIOutputStream@@U?$already_AddRefed@VnsIOutputStream@@@@I@Z
+?Write@nsBufferedOutputStream@@UAG?AW4nsresult@@PBDIPAI@Z
+?Write@nsAtomicFileOutputStream@@UAG?AW4nsresult@@PBDIPAI@Z
+?Write@nsFileStreamBase@@IAE?AW4nsresult@@PBDIPAI@Z
+?Finish@nsBufferedOutputStream@@UAG?AW4nsresult@@XZ
+?Finish@nsSafeFileOutputStream@@UAG?AW4nsresult@@XZ
+?Flush@nsFileOutputStream@@UAG?AW4nsresult@@XZ
+?Flush@nsFileStreamBase@@IAE?AW4nsresult@@XZ
+?Finish@nsAtomicFileOutputStream@@UAG?AW4nsresult@@XZ
+??_GnsBufferedOutputStream@@MAEPAXI@Z
+?InitFromInputStream@?$BaseURIMutator@VBlobURL@dom@mozilla@@@@IAE?AW4nsresult@@PAVnsIObjectInputStream@@@Z
+?GetIsFromProcessingFrameAttributes@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+??0MozFrameAncestorInfo@dom@mozilla@@QAE@XZ
+?GetDocumentURI@ChannelWrapper@extensions@mozilla@@QBE?AU?$already_AddRefed@VnsIURI@@@@XZ
+?ParentFrameId@ChannelWrapper@extensions@mozilla@@QBE_JXZ
+?OpenCursorInternal@IDBIndex@dom@mozilla@@AAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@W4IDBCursorDirection@23@AAVErrorResult@3@@Z
+??0OpenCursorParams@indexedDB@dom@mozilla@@QAE@$$QAVIndexOpenCursorParams@123@@Z
+??0LoggingString@indexedDB@dom@mozilla@@QAE@W4IDBCursorDirection@23@@Z
+??0PBackgroundIDBCursorChild@indexedDB@dom@mozilla@@QAE@XZ
+?OpenCursor@IDBTransaction@dom@mozilla@@QAEXAAVPBackgroundIDBCursorChild@indexedDB@23@ABVOpenCursorParams@523@@Z
+?SendPBackgroundIDBCursorConstructor@PBackgroundIDBTransactionChild@indexedDB@dom@mozilla@@QAEPAVPBackgroundIDBCursorChild@234@PAV5234@ABVOpenCursorParams@234@@Z
+?Write@?$IPDLParamTraits@PAVPBackgroundIDBCursorChild@indexedDB@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABQAVPBackgroundIDBCursorChild@indexedDB@dom@3@@Z
+??0OpenCursorParams@indexedDB@dom@mozilla@@QAE@$$QAVIndexOpenKeyCursorParams@123@@Z
+?MaybeDestroy@OpenCursorParams@indexedDB@dom@mozilla@@AAE_NW4Type@1234@@Z
+??0PBackgroundIDBCursorParent@indexedDB@dom@mozilla@@QAE@XZ
+?SetFromStatement@Key@indexedDB@dom@mozilla@@QAE?AW4nsresult@@PAVmozIStorageStatement@@I@Z
+??4CursorResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAV?$nsTArray@VIndexCursorResponse@indexedDB@dom@mozilla@@@@@Z
+?MaybeDestroy@CursorResponse@indexedDB@dom@mozilla@@AAE_NW4Type@1234@@Z
+?Clear@?$nsTArray_Impl@VKey@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+??_GPBackgroundIDBDatabaseRequestParent@indexedDB@dom@mozilla@@UAEPAXI@Z
+??1?$nsTArray_Impl@VIndexCursorResponse@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VIndexCursorResponse@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVIndexCursorResponse@indexedDB@dom@mozilla@@I@Z
+??$EnsureCapacity@UnsTArrayInfallibleAllocator@@@?$nsTArray_base@UnsTArrayInfallibleAllocator@@U?$nsTArray_RelocateUsingMoveConstructor@VIndexCursorResponse@indexedDB@dom@mozilla@@@@@@IAE?AUnsTArrayInfallibleResult@@II@Z
+??0IndexCursorResponse@indexedDB@dom@mozilla@@QAE@XZ
+?poison@?$OutOfLinePoisoner@$0EI@@detail@mozilla@@SAXPAXI@Z
+?SendResponse@PBackgroundIDBCursorParent@indexedDB@dom@mozilla@@QAE_NABVCursorResponse@234@@Z
+??4CursorResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAV0123@@Z
+?Write@?$IPDLParamTraits@VSerializedStructuredCloneReadInfo@indexedDB@dom@mozilla@@@ipc@mozilla@@SAXPAVMessage@IPC@@PAVIProtocol@23@ABVSerializedStructuredCloneReadInfo@indexedDB@dom@3@@Z
+??1CursorResponse@indexedDB@dom@mozilla@@QAE@XZ
+?AllowsAutoFocus@BindContext@dom@mozilla@@QBE_NXZ
+?SetAutoFocusElement@Document@dom@mozilla@@QAEXPAVElement@23@@Z
+?InitializeDocWriteParserState@nsHtml5Parser@@QAEXPAVnsAHtml5TreeBuilderState@@H@Z
+?loadState@nsHtml5TreeBuilder@@QAEXPAVnsAHtml5TreeBuilderState@@@Z
+?GetTarget@nsHtml5TreeOpExecutor@@UAEPAVnsISupports@@XZ
+?OnMessageReceived@PBackgroundIDBCursorChild@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+??$AppendElementsInternal@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@VObjectStoreKeyCursorResponse@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVObjectStoreKeyCursorResponse@indexedDB@dom@mozilla@@I@Z
+?Id@?$FileInfoT@VFileManager@indexedDB@dom@mozilla@@@indexedDB@dom@mozilla@@QBE_JXZ
+?CreateTables@indexedDB@dom@mozilla@@YA?AW4nsresult@@AAVmozIStorageConnection@@@Z
+?DispatchToMainThreadStableState@MediaTrackGraph@mozilla@@QAEXU?$already_AddRefed@VnsIRunnable@@@@@Z
+??0IndexCursorDataBase@dom@mozilla@@QAE@VKey@indexedDB@12@00@Z
+?_Tidy@?$vector@U?$CartesianPoint@M@webrtc@@V?$allocator@U?$CartesianPoint@M@webrtc@@@std@@@std@@AAEXXZ
+?Wrap@IDBCursorWithValue_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBCursor@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@IDBCursor@dom@mozilla@@QBEPAVnsIGlobalObject@@XZ
+?Wrap@IDBCursor_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIDBCursor@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Request@IDBCursor@dom@mozilla@@QBE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@XZ
+?ConstructorEnabled@AccessibleNode_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?AppendIndexUpdateInfo@IDBObjectStore@dom@mozilla@@SAX_JABVKeyPath@indexedDB@23@_NABV?$nsTString@D@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@PAV?$nsTArray@VIndexUpdateInfo@indexedDB@dom@mozilla@@@@PAVErrorResult@3@@Z
+??0CursorRequestParams@indexedDB@dom@mozilla@@QAE@$$QAVContinueParams@123@@Z
+?OnNewRequest@IDBTransaction@dom@mozilla@@QAEXXZ
+??0CursorRequestParams@indexedDB@dom@mozilla@@QAE@ABV0123@@Z
+?AssertSanity@CursorRequestParams@indexedDB@dom@mozilla@@ABEXXZ
+?MaybeDestroy@CursorRequestParams@indexedDB@dom@mozilla@@AAE_NW4Type@1234@@Z
+Gecko_SetCounterStyleToNone
+_ZN5style10properties9longhands13counter_reset16cascade_property17hca8b0afab45cebe3E
+_ZN5style10properties9longhands5float16cascade_property17h89d52d873951d95aE
+_ZN5style10properties9longhands14vertical_align16cascade_property17hb881fdc34cb752d6E
+?NS_NewCheckboxRadioFrame@@YAPAVnsCheckboxRadioFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?IncrementScriptNestingLevel@nsHtml5Parser@@UAEXXZ
+?DecrementScriptNestingLevel@nsHtml5Parser@@UAEXXZ
+?ContinueInterruptedParsingAsync@nsHtml5Parser@@UAGXXZ
+?ParseUntilBlocked@nsHtml5Parser@@QAE?AW4nsresult@@XZ
+?ContinueAfterScripts@nsHtml5StreamParser@@QAEXPAVnsHtml5Tokenizer@@PAVnsHtml5TreeBuilder@@_N@Z
+?EscapeRegExpPattern@js@@YAPAVJSAtom@@PAUJSContext@@V?$Handle@PAVJSAtom@@@JS@@@Z
+?Wrap@HTMLUListElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSharedListElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLUListElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateObject@?$BindingJSObjectCreator@VHTMLSharedListElement@dom@mozilla@@@dom@mozilla@@QAEXPAUJSContext@@PBUJSClass@@V?$Handle@PAVJSObject@@@JS@@PAVHTMLSharedListElement@23@V?$MutableHandle@PAVJSObject@@@7@@Z
+?Wrap@HTMLButtonElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLButtonElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLButtonElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?JS_MayResolveStandardClass@@YA_NABUJSAtomState@@UPropertyKey@JS@@PAVJSObject@@@Z
+?MayResolve@nsGlobalWindowInner@@SA_NUPropertyKey@JS@@@Z
+??0nsBlockInFlowLineIterator@@QAE@PAVnsBlockFrame@@PAVnsIFrame@@PA_N@Z
+?ComputeAutoSize@nsContainerFrame@@UAE?AVLogicalSize@mozilla@@PAVgfxContext@@VWritingMode@3@ABV23@H22V?$EnumSet@W4ComputeSizeFlag@mozilla@@E@3@@Z
+?GetCheckedOrSelected@nsNativeTheme@@QAE_NPAVnsIFrame@@_N@Z
+?GetIndeterminate@nsNativeTheme@@QAE_NPAVnsIFrame@@@Z
+?MakeHyphenTextRun@gfxFontGroup@@QAE?AU?$already_AddRefed@VgfxTextRun@@@@PAVDrawTarget@gfx@mozilla@@I@Z
+?SearchAllFontsForChar@Family@fontlist@mozilla@@QAEXPAVFontList@23@PAUGlobalFontMatch@@@Z
+??_GgfxDWriteFontEntry@@UAEPAXI@Z
+??1gfxDWriteFontEntry@@UAE@XZ
+??1gfxFontEntry@@MAE@XZ
+?SetupFamilyCharMap@Family@fontlist@mozilla@@QAEXPAVFontList@23@@Z
+?HasCharacter@gfxFontEntry@@QAE_NI@Z
+?test@gfxSparseBitSet@@QBE_NI@Z
+?set@gfxSparseBitSet@@QAEXI@Z
+?HasColorGlyphFor@gfxFont@@QAE_NII@Z
+?MapCharToGlyphFormat12or13@gfxFontUtils@@SAIPBEI@Z
+?AddFloat@BlockReflowInput@mozilla@@QAE_NPAVnsLineLayout@@PAVnsIFrame@@H@Z
+?FlowAndPlaceFloat@BlockReflowInput@mozilla@@QAE_NPAVnsIFrame@@@Z
+?GetRegionFor@nsFloatManager@@SA?AVLogicalRect@mozilla@@VWritingMode@3@PAVnsIFrame@@ABUnsSize@@@Z
+?GetLowestFloatTop@nsFloatManager@@QBEHXZ
+?AdjustFloatAvailableSpace@nsBlockFrame@@IAE?AVLogicalRect@mozilla@@AAVBlockReflowInput@3@ABV23@@Z
+?ReflowFloat@nsBlockFrame@@IAEXAAVBlockReflowInput@mozilla@@ABVLogicalRect@3@PAVnsIFrame@@AAVLogicalMargin@3@3_NAAVnsReflowStatus@@@Z
+?PositionFrameView@nsContainerFrame@@SAXPAVnsIFrame@@@Z
+?CalculateRegionFor@nsFloatManager@@SA?AVLogicalRect@mozilla@@VWritingMode@3@PAVnsIFrame@@ABVLogicalMargin@3@ABUnsSize@@@Z
+?AddFloat@nsFloatManager@@QAEXPAVnsIFrame@@ABVLogicalRect@mozilla@@VWritingMode@4@ABUnsSize@@@Z
+?StoreRegionFor@nsFloatManager@@SAXVWritingMode@mozilla@@PAVnsIFrame@@ABVLogicalRect@3@ABUnsSize@@@Z
+?IncludeInterval@nsIntervalSet@@QAEXHH@Z
+?UpdateBand@nsLineLayout@@QAEXVWritingMode@mozilla@@ABVLogicalRect@3@PAVnsIFrame@@@Z
+?Alloc@nsFloatCacheFreeList@@QAEPAVnsFloatCache@@PAVnsIFrame@@@Z
+?Append@nsFloatCacheFreeList@@QAEXPAVnsFloatCache@@@Z
+?GetFirstMathFont@gfxFontGroup@@QAEPAVgfxFont@@XZ
+?ResetGlyphRuns@gfxTextRun@@QAEXXZ
+?AppendInvisibleWhitespace@nsLineBreaker@@QAE?AW4nsresult@@I@Z
+?ClearFloats@nsFloatManager@@QBEHHW4StyleClear@mozilla@@@Z
+?ClearContinues@nsFloatManager@@QBE_NW4StyleClear@mozilla@@@Z
+?SetInnerHTML@Element@dom@mozilla@@UAEXABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVErrorResult@3@@Z
+?SetInnerHTMLInternal@FragmentOrElement@dom@mozilla@@IAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+??0nsAutoScriptLoaderDisabler@dom@mozilla@@QAE@PAVDocument@12@@Z
+?ParseFragmentHTML@nsContentUtils@@SA?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIContent@@PAVnsAtom@@H_N3H@Z
+??0nsHtml5StringParser@@QAE@XZ
+??0nsHtml5OplessBuilder@@QAE@XZ
+?FromLiteral@nsHtml5String@@SA?AV1@PBD@Z
+?ParseFragment@nsHtml5StringParser@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@PAVnsIContent@@PAVnsAtom@@H_N3@Z
+?SetParser@nsHtml5OplessBuilder@@QAEXPAVnsParserBase@@@Z
+?MarkAsBroken@nsHtml5DocumentBuilder@@UAE?AW4nsresult@@W42@@Z
+?Start@nsHtml5OplessBuilder@@QAEXXZ
+?end@nsHtml5Tokenizer@@QAEXXZ
+?Finish@nsHtml5OplessBuilder@@QAEXXZ
+??1AutoTimelineMarker@mozilla@@QAE@XZ
+?FireMutationEventsForDirectParsing@nsContentUtils@@SAXPAVDocument@dom@mozilla@@PAVnsIContent@@H@Z
+??1nsAutoScriptLoaderDisabler@dom@mozilla@@QAE@XZ
+?SetChecked@HTMLInputElement@dom@mozilla@@QAEX_N@Z
+?AttributeChanged@nsInlineFrame@@UAE?AW4nsresult@@HPAVnsAtom@@H@Z
+?GetContentWindow@nsGenericHTMLFrameElement@@IAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@dom@mozilla@@XZ
+?SetMozbrowser@nsGenericHTMLFrameElement@@UAG?AW4nsresult@@_N@Z
+?GetContentDocument@nsGenericHTMLFrameElement@@IAEPAVDocument@dom@mozilla@@AAVnsIPrincipal@@@Z
+?ShouldUseNativeStyle@nsRangeFrame@@QBE_NXZ
+??$RemoveElement@PAVnsIFrame@@V?$nsDefaultComparator@PAVnsIFrame@@PAV1@@@@?$nsTArray_Impl@PAVnsIFrame@@UnsTArrayInfallibleAllocator@@@@QAE_NABQAVnsIFrame@@ABV?$nsDefaultComparator@PAVnsIFrame@@PAV1@@@@Z
+?NotifyReleased@gfxFontCache@@QAEXPAVgfxFont@@@Z
+?IsFocusableInternal@nsGenericHTMLElement@@UAE_NPAH_N@Z
+?IsHTMLFocusable@nsGenericHTMLElement@@UAE_N_NPA_NPAH@Z
+?ShouldShowFocusRing@nsGlobalWindowInner@@UAE_NXZ
+?IsAccessKeyPressed@nsMenuBarListener@@SA_NPAVKeyboardEvent@dom@mozilla@@@Z
+?GetScrollPadding@nsHTMLScrollFrame@@UBE?AUnsMargin@@XZ
+?GetScrollPadding@ScrollFrameHelper@mozilla@@QBE?AUnsMargin@@XZ
+?GetLineScrollAmount@nsHTMLScrollFrame@@UBE?AUnsSize@@XZ
+?BlurFromOtherProcess@nsFocusManager@@IAEXPAVBrowsingContext@dom@mozilla@@00_N1_K@Z
+?GetDesiredIMEState@nsGenericHTMLFormElement@@UAE?AUIMEState@widget@mozilla@@XZ
+?GetTextEditorInternal@Element@dom@mozilla@@QAEPAVTextEditor@3@XZ
+?InitializeSelection@EditorBase@mozilla@@IAE?AW4nsresult@@AAVnsINode@@@Z
+?FindSelectionRoot@EditorBase@mozilla@@UBEPAVElement@dom@2@PAVnsINode@@@Z
+??4?$WeakPtr@VSelection@dom@mozilla@@$0A@@mozilla@@QAEAAV01@PBVSelection@dom@1@@Z
+?SetCaretEnabled@PresShell@mozilla@@UAG?AW4nsresult@@_N@Z
+?SetIgnoreUserModify@nsCaret@@QAEX_N@Z
+?FrameSelectionWillTakeFocus@PresShell@mozilla@@QAEXAAVnsFrameSelection@@@Z
+?InitializeSelectionAncestorLimit@EditorBase@mozilla@@MBEXAAVnsIContent@@@Z
+?SetAncestorLimiter@Selection@dom@mozilla@@QAEXPAVnsIContent@@@Z
+?SetAncestorLimiter@nsFrameSelection@@QAEXPAVnsIContent@@@Z
+?SyncRealTimeSpell@EditorBase@mozilla@@QAEXXZ
+?GetInlineSpellChecker@EditorBase@mozilla@@UAG?AW4nsresult@@_NPAPAVnsIInlineSpellChecker@@@Z
+?CanEnableInlineSpellChecking@mozInlineSpellChecker@@SA_NXZ
+??0EditorSpellCheck@mozilla@@QAE@XZ
+??$NormalizeVisibleWhiteSpacesAt@V?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@mozilla@@@WhiteSpaceVisibilityKeeper@mozilla@@SA?AW4nsresult@@AAVHTMLEditor@1@ABV?$EditorDOMPointBase@PAVnsINode@@PAVnsIContent@@@1@@Z
+?UpdateIMEState@IMEStateManager@mozilla@@SAXABUIMEState@widget@2@PAVnsIContent@@PAVEditorBase@2@@Z
+?GetPreferredIMEState@EditorBase@mozilla@@UAE?AW4nsresult@@PAUIMEState@widget@2@@Z
+?GetFocusedContentForIME@EditorBase@mozilla@@UBEPAVnsIContent@@XZ
+?IsMenuPopupHidingCaret@nsCaret@@IAE_NXZ
+?SetFocus@nsTextControlFrame@@UAEX_N0@Z
+?GetEnumAttr@Element@dom@mozilla@@QBEXPAVnsAtom@@PBDAAV?$nsTSubstring@_S@@@Z
+?OnReFocus@IMEStateManager@mozilla@@SAXPAVnsPresContext@@AAVnsIContent@@@Z
+?FindFirstNonChromeOnlyAccessContent@nsIContent@@QBEPAV1@XZ
+?GetAutocapitalize@nsGenericHTMLFormElement@@UAEXAAV?$nsTSubstring@_S@@@Z
+?GetNonFileValueInternal@HTMLInputElement@dom@mozilla@@IBEXAAV?$nsTSubstring@_S@@@Z
+?PreHandleEvent@nsGenericHTMLFormElement@@UAE?AW4nsresult@@AAVEventChainVisitor@mozilla@@@Z
+?GetChildFrameContainingOffset@nsIFrame@@UAE?AW4nsresult@@H_NPAHPAPAV1@@Z
+?IsAutocompleteEnabled@nsContentUtils@@SA_NPAVHTMLInputElement@dom@mozilla@@@Z
+?GetAutocomplete@HTMLInputElement@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?SerializeAutocompleteAttribute@nsContentUtils@@SA?AW4AutocompleteAttrState@1@PBVnsAttrValue@@AAV?$nsTSubstring@_S@@W421@@Z
+?GetList@HTMLInputElement@dom@mozilla@@QBEPAVnsGenericHTMLElement@@XZ
+?QueryInterfaceActor@JSActor@dom@mozilla@@AAE?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetTextValue@nsFormFillController@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?HandleEvent@EditorEventListener@mozilla@@UAG?AW4nsresult@@PAVEvent@dom@2@@Z
+?GetOriginalDOMEventTarget@WidgetEvent@mozilla@@QBEPAVEventTarget@dom@2@XZ
+?OnFocusInEditor@IMEStateManager@mozilla@@SAXPAVnsPresContext@@PAVnsIContent@@AAVEditorBase@2@@Z
+?CollectKeyboardShortcuts@RootWindowGlobalKeyListener@mozilla@@SA?AVKeyboardMap@layers@2@XZ
+?OnStartToObserveContent@EventStateManager@mozilla@@QAEXPAVIMEContentObserver@2@@Z
+?AddRef@IMEContentObserver@mozilla@@UAGKXZ
+?GetTextEventDispatcher@nsBaseWidget@@UAEPAVTextEventDispatcher@widget@mozilla@@XZ
+??0TextEventDispatcher@widget@mozilla@@QAE@PAVnsIWidget@@@Z
+?GetSelectionController@nsIFrame@@QAE?AW4nsresult@@PAVnsPresContext@@PAPAVnsISelectionController@@@Z
+?GetOwnedSelectionController@nsTextControlFrame@@UAG?AW4nsresult@@PAPAVnsISelectionController@@@Z
+?GetSelectionRootContent@nsINode@@QAEPAVnsIContent@@PAVPresShell@mozilla@@@Z
+?HasIndependentSelection@nsIContent@@QBE_NXZ
+??$ToString@V?$Maybe@UReply@WidgetQueryContentEvent@mozilla@@@mozilla@@@mozilla@@YA?AV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@ABV?$Maybe@UReply@WidgetQueryContentEvent@mozilla@@@0@@Z
+?Dispatch@nsGlobalWindowOuter@@UAE?AW4nsresult@@W4TaskCategory@mozilla@@$$QAU?$already_AddRefed@VnsIRunnable@@@@@Z
+?TryToFlushPendingNotifications@IMEContentObserver@mozilla@@QAEX_N@Z
+??0ContentEventHandler@mozilla@@QAE@PAVnsPresContext@@@Z
+?OnQuerySelectedText@ContentEventHandler@mozilla@@QAE?AW4nsresult@@PAVWidgetQueryContentEvent@2@@Z
+?GetGeometry@nsCaret@@SAPAVnsIFrame@@PAVSelection@dom@mozilla@@PAUnsRect@@@Z
+?GetGeometryForFrame@nsCaret@@SA?AUnsRect@@PAVnsIFrame@@HPAH@Z
+?GetPointFromOffset@nsIFrame@@UAE?AW4nsresult@@HPAUnsPoint@@@Z
+?GetCaretBaseline@nsIFrame@@UBEHXZ
+?GetLogicalBaseline@BRFrame@mozilla@@UBEHVWritingMode@2@@Z
+?GetFloat@LookAndFeel@mozilla@@SA?AW4nsresult@@W4FloatID@12@PAM@Z
+?AtomTagToId@nsHTMLTags@@SA?AW4nsHTMLTag@@PAVnsAtom@@@Z
+?StringTagToId@nsHTMLTags@@SA?AW4nsHTMLTag@@ABV?$nsTSubstring@_S@@@Z
+?GetFlatTextLengthInRange@ContentEventHandler@mozilla@@SA?AW4nsresult@@ABUNodePosition@12@0PAVnsIContent@@PAIW4LineBreakType@2@_N@Z
+?FocusRef@Selection@dom@mozilla@@QBEABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@3@XZ
+??$ComparePoints@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@V1@V2@@nsContentUtils@@SA?AV?$Maybe@H@mozilla@@ABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@0@Z
+?NotifyIME@IMEStateManager@mozilla@@SA?AW4nsresult@@ABUIMENotification@widget@2@PAVnsIWidget@@PAVBrowserParent@dom@2@@Z
+?NotifyIME@nsBaseWidget@@UAE?AW4nsresult@@ABUIMENotification@widget@mozilla@@@Z
+?NotifyIME@TextEventDispatcher@widget@mozilla@@QAE?AW4nsresult@@ABUIMENotification@23@@Z
+?GetNativeTextEventDispatcherListener@IMEHandler@widget@mozilla@@SAPAVTextEventDispatcherListener@23@XZ
+?NotifyIME@WinTextEventDispatcherListener@widget@mozilla@@UAG?AW4nsresult@@PAVTextEventDispatcher@23@ABUIMENotification@23@@Z
+?OnFocusChange@IMMHandler@widget@mozilla@@SAX_NPAVnsWindow@@@Z
+?OnFocusChange@TSFTextStore@widget@mozilla@@SA?AW4nsresult@@_NPAVnsWindowBase@@ABUInputContext@23@@Z
+??1TSFTextStore@widget@mozilla@@IAE@XZ
+?AppendInputScopeFromType@IMEHandler@widget@mozilla@@SAXABV?$nsTSubstring@_S@@AAV?$nsTArray@W4__MIDL___MIDL_itf_inputscope_0000_0000_0001@@@@@Z
+?AppendInputScopeFromInputmode@IMEHandler@widget@mozilla@@SAXABV?$nsTSubstring@_S@@AAV?$nsTArray@W4__MIDL___MIDL_itf_inputscope_0000_0000_0001@@@@@Z
+?CommitCompositionInternal@TSFTextStore@widget@mozilla@@IAEX_N@Z
+??1?$nsTArray_Impl@UPrinterInfo@nsPrinterListBase@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetInstance@FxRWindowManager@@SAPAV1@XZ
+?IsFxRWindow@FxRWindowManager@@QBE_NPBVnsWindow@@@Z
+?BeginNativeInputTransaction@TextEventDispatcher@widget@mozilla@@QAE?AW4nsresult@@XZ
+?GetIMENotificationRequests@TSFTextStore@widget@mozilla@@SA?AUIMENotificationRequests@23@XZ
+?SetIMEContentObserver@EditorBase@mozilla@@QAEXPAVIMEContentObserver@2@@Z
+??0IMENotification@widget@mozilla@@QAE@W4IMEMessage@12@@Z
+?AddWeakScrollObserver@nsDocShell@@UAG?AW4nsresult@@PAVnsIScrollObserver@@@Z
+?AddWeakReflowObserver@nsDocShell@@UAG?AW4nsresult@@PAVnsIReflowObserver@@@Z
+?GetLastFocusMethod@nsFocusManager@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@PAI@Z
+?FrameSelection@PresShell@mozilla@@QAE?AU?$already_AddRefed@VnsFrameSelection@@@@XZ
+?SetStartBefore@nsRange@@QAEXAAVnsINode@@AAVErrorResult@mozilla@@@Z
+??$ComparePoints@PAVnsINode@@PAVnsIContent@@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@nsContentUtils@@SA?AV?$Maybe@H@mozilla@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@ABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@@Z
+??$DoSetRange@PAVnsINode@@PAVnsIContent@@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@nsRange@@IAEXABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@mozilla@@ABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@PAVnsINode@@_N@Z
+?SetEndBefore@nsRange@@QAEXAAVnsINode@@AAVErrorResult@mozilla@@@Z
+?AddRangeAndSelectFramesAndNotifyListeners@Selection@dom@mozilla@@QAEXAAVnsRange@@AAVErrorResult@3@@Z
+?CollapseToStart@Selection@dom@mozilla@@QAEXAAVErrorResult@3@@Z
+?GetFrameSelection@nsIFrame@@QAE?AU?$already_AddRefed@VnsFrameSelection@@@@XZ
+?IsPlayingAudio@nsPIDOMWindowInner@@QAE_NXZ
+?Get@AudioChannelService@dom@mozilla@@SA?AU?$already_AddRefed@VAudioChannelService@dom@mozilla@@@@XZ
+?IsWindowActive@AudioChannelService@dom@mozilla@@QAE_NPAVnsPIDOMWindowOuter@@@Z
+?CreateNewURI@nsJSProtocolHandler@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV4@@Z
+?Mutate@nsJSURI@@UAG?AW4nsresult@@PAPAVnsIURIMutator@@@Z
+?QueryInterface@Mutator@nsJSURI@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?SetBase@Mutator@nsJSURI@@UAG?AW4nsresult@@PAVnsIURI@@@Z
+?Release@Mutator@nsJSURI@@UAGKXZ
+?SetSpec@Mutator@nsJSURI@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+??0nsJSProtocolHandler@@QAE@XZ
+?QueryInterface@nsJSURI@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@BlobURL@dom@mozilla@@UAGKXZ
+?SetRef@?$TemplatedMutator@VSubstitutingURL@net@mozilla@@@nsStandardURL@net@mozilla@@EAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAPAVnsIURIMutator@@@Z
+?SetRef@nsStandardURL@net@mozilla@@MAE?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?DestroyFrom@nsScrollbarButtonFrame@@UAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@@Z
+?GetFrameId@nsScrollbarButtonFrame@@UBE?AW4FrameIID@nsQueryFrame@@XZ
+??_GnsScrollbarButtonFrame@@UAEPAXI@Z
+?GetScrollFrame@nsSliderFrame@@QAEPAVnsIScrollableFrame@@XZ
+?SwitchToCounter@nsLineBox@@AAEXXZ
+?RemoveAllPropertiesFor@nsPropertyTable@@QAEXVnsPropertyOwner@@@Z
+?RemoveListenerManager@nsContentUtils@@SAXPAVnsINode@@@Z
+?Disconnect@EventListenerManager@mozilla@@QAEXXZ
+?IsContentDisabled@nsIFrame@@QBE_NXZ
+?ComputeCaretRects@nsCaret@@QAEXPAVnsIFrame@@HPAUnsRect@@1@Z
+??_GnsDisplayEventReceiver@@UAEPAXI@Z
+?ApplyOpacity@nsDisplayBoxShadowOuter@@UAEXPAVnsDisplayListBuilder@@MPBUDisplayItemClipChain@mozilla@@@Z
+??0nsDisplayCaret@@QAE@PAVnsDisplayListBuilder@@PAVnsIFrame@@@Z
+?AllocateGeometry@nsDisplayBoxShadowInner@@UAEPAVnsDisplayItemGeometry@@PAVnsDisplayListBuilder@@@Z
+??0nsDisplayBoxShadowInnerGeometry@@QAE@PAVnsDisplayItem@@PAVnsDisplayListBuilder@@@Z
+?CalcColor@?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@QBEIABUStyleRGBA@2@@Z
+?Init@nsContextBoxBlur@@QAEPAVgfxContext@@ABUnsRect@@HHHPAV2@0PBU?$RectTyped@UUnknownUnits@gfx@mozilla@@N@gfx@mozilla@@I@Z
+??1gfxAlphaBoxBlur@@QAE@XZ
+?Paint@nsDisplayBoxShadowInner@@UAEXPAVnsDisplayListBuilder@@PAVgfxContext@@@Z
+?shadeSpan@BitmapProcShaderContext@@UAEXHHQAIH@Z
+?SetOverrideZIndex@nsDisplayCompositorHitTestInfo@@QAEXH@Z
+?PaintCaret@nsCaret@@QAEXAAVDrawTarget@gfx@mozilla@@PAVnsIFrame@@ABUnsPoint@@@Z
+?GetCaretColorAt@nsIFrame@@UAEIH@Z
+??$GetVisitedDependentColor@U?$StyleGenericColorOrAuto@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@@mozilla@@UnsStyleUI@@@ComputedStyle@mozilla@@QBEIPQnsStyleUI@@U?$StyleGenericColorOrAuto@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@@1@@Z
+??_GnsDisplayBoxShadowInner@@UAEPAXI@Z
+?Mark@Performance@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?BeforeEditAction@IMEContentObserver@mozilla@@QAEXXZ
+?Release@IMEContentObserver@mozilla@@UAGKXZ
+?IsInSameAnonymousTree@nsContentUtils@@SA_NPBVnsINode@@PBVnsIContent@@@Z
+?Init@ContentIteratorBase@mozilla@@UAE?AW4nsresult@@PAVnsINode@@@Z
+?CreateTextNode@EditorBase@mozilla@@IAE?AU?$already_AddRefed@VnsTextNode@@@@ABV?$nsTSubstring@_S@@@Z
+?Init@ContentIteratorBase@mozilla@@UAE?AW4nsresult@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@0@Z
+??$IsValidPoints@PAVnsINode@@PAVnsIContent@@PAV1@PAV2@@RangeUtils@mozilla@@SA_NABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@1@0@Z
+??$ComparePoints@PAVnsINode@@PAVnsIContent@@PAV1@PAV2@@nsContentUtils@@SA?AV?$Maybe@H@mozilla@@ABV?$RangeBoundaryBase@PAVnsINode@@PAVnsIContent@@@2@0@Z
+?GetNextSibling@ContentIteratorBase@mozilla@@KAPAVnsIContent@@PAVnsINode@@@Z
+?GetText@CharacterData@dom@mozilla@@UAEPBVnsTextFragment@@XZ
+?MergeWith@TextChangeDataBase@IMENotification@widget@mozilla@@QAEXABU1234@@Z
+?OnEditActionHandled@IMEContentObserver@mozilla@@QAEXXZ
+?OnSelectionChange@IMEContentObserver@mozilla@@QAEXAAVSelection@dom@2@@Z
+?Constructor@Event@dom@mozilla@@SA?AU?$already_AddRefed@VEvent@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUEventInit@23@@Z
+?SetTextNodeWithoutTransaction@EditorBase@mozilla@@IAE?AW4nsresult@@ABV?$nsTSubstring@_S@@AAVText@dom@2@@Z
+?DoSetText@EditorBase@mozilla@@IAEXAAVText@dom@2@ABV?$nsTSubstring@_S@@AAVErrorResult@2@@Z
+?WillDeleteText@TextEditor@mozilla@@IAEXIII@Z
+?SetData@CharacterData@dom@mozilla@@UAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?GetNativeTextLength@ContentEventHandler@mozilla@@SAIPAVnsIContent@@II@Z
+?SelAdjReplaceText@RangeUpdater@mozilla@@QAEXABVText@dom@2@HHH@Z
+?GetNativeTextLength@ContentEventHandler@mozilla@@SAIPAVnsIContent@@I@Z
+Servo_DeclarationBlock_Release
+?StringFlatReplaceString@js@@YAPAVJSString@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@11@Z
+?SetSingleClassFromParser@Element@dom@mozilla@@QAE?AW4nsresult@@PAVnsAtom@@@Z
+?UnbindFromTree@HTMLInputElement@dom@mozilla@@UAEX_N@Z
+?UnbindFromTree@nsImageLoadingContent@@IAEX_N@Z
+?UnbindFromTree@nsGenericHTMLFormElement@@UAEX_N@Z
+?SaveState@HTMLButtonElement@dom@mozilla@@UAG?AW4nsresult@@XZ
+?MaybeGetBuiltinObject@js@@YAPAVJSObject@@PAVGlobalObject@1@W4BuiltinObjectKind@1@@Z
+?addPhi@MBasicBlock@jit@js@@QAEXPAVMPhi@23@@Z
+?removePredecessor@MBasicBlock@jit@js@@QAEXPAV123@@Z
+?New@MGoto@jit@js@@SAPAV123@AAVTempAllocator@23@PAVMBasicBlock@23@@Z
+?addPredecessorSameInputsAs@MBasicBlock@jit@js@@QAE_NPAV123@0@Z
+?typePolicy@MGuardSpecificSymbol@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MToString@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MStringReplace@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardSpecificSymbol@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MToString@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MTypeOf@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MStringReplace@jit@js@@UBE_NPBVMDefinition@23@@Z
+?GetCodecType@AudioEncoderPcmA@webrtc@@MBE?AW4CodecType@AudioEncoder@2@XZ
+?valueHash@MTernaryInstruction@jit@js@@MBEIXZ
+?needTruncation@MConstant@jit@js@@UAE_NW4TruncateKind@MDefinition@23@@Z
+?unpick@MBasicBlock@jit@js@@QAEXH@Z
+?mightAlias@MLoadFixedSlot@jit@js@@UBE?AW4AliasType@MDefinition@23@PBV523@@Z
+?foldsTo@MGuardFunctionScript@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MFunctionEnvironment@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?typePolicy@MConcat@jit@js@@UAEPBVTypePolicy@23@XZ
+?getAliasSet@MLoadDynamicSlot@jit@js@@UBE?AVAliasSet@23@XZ
+?mightAlias@MLoadDynamicSlot@jit@js@@UBE?AW4AliasType@MDefinition@23@PBV523@@Z
+?foldsTo@MLoadDynamicSlot@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?valueHash@MLoadDynamicSlot@jit@js@@UBEIXZ
+?ConvertLinearSum@jit@js@@YAPAVMDefinition@12@AAVTempAllocator@12@PAVMBasicBlock@12@ABVLinearSum@12@W4BailoutKind@12@@Z
+?insertAtEnd@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@@Z
+?computeRange@MConstant@jit@js@@UAEXAAVTempAllocator@23@@Z
+?discard@MBasicBlock@jit@js@@QAEXPAVMInstruction@23@@Z
+?foldsTo@MConcat@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?hasOneDefUse@MDefinition@jit@js@@QBE_NXZ
+?spectreMaskIndex@MacroAssembler@jit@js@@QAEXURegister@23@ABUAddress@23@0@Z
+?sortMemoryToMemoryMoves@MoveResolver@jit@js@@QAEXXZ
+?call@MacroAssembler@jit@js@@QAEXPAVJitCode@23@@Z
+?sinkStore@?$MonoTypeBuffer@U?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@@StoreBuffer@gc@js@@QAEXXZ
+?generateRegExpTesterStub@JitRealm@jit@js@@AAEPAVJitCode@23@PAUJSContext@@@Z
+?unboxNonDouble@MacroAssemblerX86@jit@js@@QAEXABUAddress@23@URegister@23@W4JSValueType@@@Z
+?loadChar@MacroAssembler@jit@js@@QAEXURegister@23@00W4CharEncoding@23@H@Z
+?callWithABINoProfiler@MacroAssembler@jit@js@@AAEXURegister@23@W4Type@MoveOp@23@@Z
+?call@MacroAssembler@jit@js@@QAE?AVCodeOffset@23@URegister@23@@Z
+?loadStoreBuffer@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?typePolicy@MBitAnd@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MHasClass@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MBinaryBitwiseInstruction@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MBinaryBitwiseInstruction@jit@js@@UBE_NPBVMDefinition@23@@Z
+?binaryCongruentTo@MBinaryInstruction@jit@js@@IBE_NPBVMDefinition@23@@Z
+?computeRange@MBitAnd@jit@js@@UAEXAAVTempAllocator@23@@Z
+?collectRangeInfoPreTrunc@MBinaryBitwiseInstruction@jit@js@@UAEXXZ
+?foldUnnecessaryBitop@MBinaryBitwiseInstruction@jit@js@@QAEPAVMDefinition@23@XZ
+?visitCompare@CodeGenerator@jit@js@@AAEXPAVLCompare@23@@Z
+?writeRecoverData@MNot@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?FirstBaselineOffset@FlexLineValues@dom@mozilla@@QBENXZ
+?OnTextChangeInternal@TSFTextStore@widget@mozilla@@IAE?AW4nsresult@@ABUIMENotification@23@@Z
+?NS_NewBulletFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?ISizeToClearPastFloats@nsBlockFrame@@SA?AUReplacedElementISizeToClear@1@ABVBlockReflowInput@mozilla@@ABVLogicalRect@4@PAVnsIFrame@@@Z
+?Insert@nsGenConList@@QAEXPAUnsGenConNode@@@Z
+?NS_NewFrameTraversal@@YA?AW4nsresult@@PAPAVnsIFrameEnumerator@@PAVnsPresContext@@PAVnsIFrame@@W4nsIteratorType@@_N444@Z
+?SetOrdinal@nsBulletFrame@@QAEXH_N@Z
+?CreateNewURI@nsDataHandler@@SA?AW4nsresult@@ABV?$nsTSubstring@D@@PBDPAVnsIURI@@PAPAV4@@Z
+?ParseURI@nsDataHandler@@SA?AW4nsresult@@AAV?$nsTString@D@@0PAV3@AA_N1@Z
+?Find@?$nsTString@D@@QBEHABV1@_NHH@Z
+?Parse@?$TMimeType@D@@SA?AV?$UniquePtr@V?$TMimeType@D@@V?$DefaultDelete@V?$TMimeType@D@@@mozilla@@@mozilla@@ABV?$nsTSubstring@D@@@Z
+?Create@nsDataHandler@@SA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?GetParameterValue@?$TMimeType@D@@QBE_NABV?$nsTSubstring@D@@AAV2@_N@Z
+?NS_UnescapeURL@@YA?AW4nsresult@@PBDHIAAV?$nsTSubstring@D@@AA_NABUnothrow_t@std@@@Z
+?SetMarkerFrameForListItem@nsBlockFrame@@QAEXPAVnsIFrame@@@Z
+?NS_NewColumnSetFrame@@YAPAVnsContainerFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@W4nsFrameState@@@Z
+?ResolveCounterStyle@CounterStyleManager@mozilla@@QAEPAVCounterStyle@2@PAVnsAtom@@@Z
+?MarkerIsEmpty@nsBlockFrame@@QBE_NXZ
+?AddInlineMinISize@nsInlineFrame@@UAEXPAVgfxContext@@PAUInlineMinISizeData@nsIFrame@@@Z
+?DoInlineIntrinsicISize@nsContainerFrame@@QAEXPAVgfxContext@@PAUInlineIntrinsicISizeData@nsIFrame@@W4IntrinsicISizeType@mozilla@@@Z
+?AddInlinePrefISize@nsInlineFrame@@UAEXPAVgfxContext@@PAUInlinePrefISizeData@nsIFrame@@@Z
+?Intersects@nsIntervalSet@@QBE_NHH@Z
+?OnLayoutChangeInternal@TSFTextStore@widget@mozilla@@IAE?AW4nsresult@@XZ
+?DispatchWindowEvent@nsWindow@@UAE_NPAVWidgetGUIEvent@mozilla@@@Z
+?IsTargetedAtFocusedContent@WidgetEvent@mozilla@@QBE_NXZ
+?IsTopLevelRemoteTarget@EventStateManager@mozilla@@SA_NPAVnsIContent@@@Z
+?HandleQueryContentEvent@IMEContentObserver@mozilla@@QAE?AW4nsresult@@PAVWidgetQueryContentEvent@2@@Z
+?HandleQueryContentEvent@ContentEventHandler@mozilla@@QAE?AW4nsresult@@PAVWidgetQueryContentEvent@2@@Z
+??1?$nsTArray_Impl@UFontRange@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?OnQueryTextRect@ContentEventHandler@mozilla@@QAE?AW4nsresult@@PAVWidgetQueryContentEvent@2@@Z
+?ReplaceSubstring@?$nsTString@_S@@QAEXABV1@0@Z
+?ReplaceSubstring@?$nsTString@_S@@QAE_NABV1@0ABUnothrow_t@std@@@Z
+?Last@ContentIteratorBase@mozilla@@UAEXXZ
+?PositionAt@ContentIteratorBase@mozilla@@UAE?AW4nsresult@@PAVnsINode@@@Z
+??0?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@QAE@PAVnsINode@@I@Z
+?GetInProcessRootContentDocumentPresContext@nsPresContext@@QAEPAV1@XZ
+?DocumentRelativeLayoutToVisual@ViewportUtils@mozilla@@SA?AU?$RectTyped@ULayoutDevicePixel@mozilla@@M@gfx@2@ABU?$IntRectTyped@ULayoutDevicePixel@mozilla@@@42@PAVPresShell@2@@Z
+?ScrollIdForRootScrollFrame@nsLayoutUtils@@SA_KPAVnsPresContext@@@Z
+??$GetVisualToLayoutTransform@ULayoutDevicePixel@mozilla@@@ViewportUtils@mozilla@@SA?AV?$Matrix4x4Typed@ULayoutDevicePixel@mozilla@@U12@M@gfx@1@_K@Z
+?FindContentFor@nsLayoutUtils@@SAPAVnsIContent@@_K@Z
+?GetRootContentDocumentPresShellForContent@APZCCallbackHelper@layers@mozilla@@SAPAVPresShell@3@PAVnsIContent@@@Z
+?GetCumulativeApzCallbackTransform@nsLayoutUtils@@SA?AU?$PointTyped@UCSSPixel@mozilla@@M@gfx@mozilla@@PAVnsIFrame@@@Z
+?IsRootScrollFrameOfDocument@nsHTMLScrollFrame@@UBE_NXZ
+?Invert@?$Matrix4x4Typed@ULayoutDevicePixel@mozilla@@U12@M@gfx@mozilla@@QAE_NXZ
+?Determinant@?$Matrix4x4Typed@UCSSPixel@mozilla@@U12@M@gfx@mozilla@@QBEMXZ
+?IsA11yHandlingNativeCaret@IMEHandler@widget@mozilla@@SA_NXZ
+?DismissOnScreenKeyboard@OSKInputPaneManager@widget@mozilla@@SAXPAUHWND__@@@Z
+?SetupLineCursor@nsBlockFrame@@QAEXXZ
+?SubWith@nsRegion@@QAEAAV1@ABUnsRectAbsolute@@@Z
+?Affine_vpts@SkMatrix@@CAXABV1@QAUSkPoint@@QBU2@H@Z
+?toQuad@SkRect@@QBEXQAUSkPoint@@@Z
+?setBoundsNoCheck@SkRect@@QAEXQBUSkPoint@@H@Z
+?isClipRect@SkCanvas@@UBE_NXZ
+?SkComputeGivensRotation@@YAXABUSkPoint@@PAVSkMatrix@@@Z
+?setSinCos@SkMatrix@@QAEAAV1@MM@Z
+?preConcat@SkMatrix@@QAEAAV1@ABV1@@Z
+?preScale@SkMatrix@@QAEAAV1@MM@Z
+?NotifyExpiredLocked@?$nsExpirationTracker@VActiveResource@layers@mozilla@@$02@@EAEXPAVActiveResource@layers@mozilla@@ABVPlaceholderAutoLock@detail@@@Z
+?RunNextCollectorTimer@nsJSContext@@SAXW4GCReason@JS@@VTimeStamp@mozilla@@@Z
+?GarbageCollectNow@nsJSContext@@SAXW4GCReason@JS@@W4IsIncremental@1@W4IsShrinking@1@_J@Z
+?ExplainGCReason@JS@@YAPBDW4GCReason@1@@Z
+?PrepareForIncrementalGC@JS@@YAXPAUJSContext@@@Z
+?IncrementalGCSlice@JS@@YAXPAUJSContext@@W4GCReason@1@_J@Z
+?trace@XDRIncrementalEncoder@js@@UAEXPAVJSTracer@@@Z
+??$TraceEdgeInternal@PAVScope@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVScope@1@PBD@Z
+??$TraceEdgeInternal@UPropertyKey@JS@@@gc@js@@YA_NPAVJSTracer@@PAUPropertyKey@JS@@PBD@Z
+?trace@ShadowingDOMProxyHandler@dom@mozilla@@EBEXPAVJSTracer@@PAVJSObject@@@Z
+?XPCWrappedNative_Trace@@YAXPAVJSTracer@@PAVJSObject@@@Z
+?TraceXPCGlobal@xpc@@YAXPAVJSTracer@@PAVJSObject@@@Z
+?Trace@ProtoAndIfaceCache@dom@mozilla@@QAEXPAVJSTracer@@@Z
+?TraceGlobal@CreateGlobalOptionsWithXPConnect@dom@mozilla@@SAXPAVJSTracer@@PAVJSObject@@@Z
+?IncrementalGCHasForegroundWork@JS@@YA_NPAUJSContext@@@Z
+?GetBoundingClientRect@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMRect@dom@mozilla@@@@XZ
+?Click@nsGenericHTMLElement@@QAEXW4CallerType@dom@mozilla@@@Z
+?IsValueMissing@CheckboxInputType@dom@mozilla@@UBE_NXZ
+?HasPatternMismatch@InputType@dom@mozilla@@UBE?AV?$Maybe@_N@3@XZ
+??0MouseEvent@dom@mozilla@@QAE@PAVEventTarget@12@PAVnsPresContext@@PAVWidgetMouseEventBase@2@@Z
+?Wrap@MouseEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMouseEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@MouseEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@HTMLLIElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLLIElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLLIElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsAttributeMapped@HTMLLIElement@dom@mozilla@@UBG_NPBVnsAtom@@@Z
+?maybeIonFrameRecovery@JitActivation@jit@js@@QAEPAVRInstructionResults@23@PAVJitFrameLayout@23@@Z
+?registerIonFrameRecovery@JitActivation@jit@js@@QAE_N$$QAVRInstructionResults@23@@Z
+??0RInstructionResults@jit@js@@QAE@$$QAV012@@Z
+?readAllocationIndex@SnapshotReader@jit@js@@AAEIXZ
+?retAddrForIC@BaselineInterpreter@jit@js@@QBEPAEW4JSOp@@@Z
+?icEntryFromPCOffset@ICScript@jit@js@@QAEAAVICEntry@23@I@Z
+?findInlinedChild@ICScript@jit@js@@QAEPAV123@I@Z
+??1RInstructionResults@jit@js@@QAE@XZ
+?HandleDOMEventWithTarget@PresShell@mozilla@@QAE?AW4nsresult@@PAVnsIContent@@PAVWidgetEvent@2@PAW4nsEventStatus@@@Z
+?DispatchInputEvent@nsContentUtils@@SA?AW4nsresult@@PAVElement@dom@mozilla@@@Z
+?DispatchInputEvent@nsContentUtils@@SA?AW4nsresult@@PAVElement@dom@mozilla@@W4EventMessage@5@W4EditorInputType@5@PAVTextEditor@5@$$QAUInputEventOptions@5@PAW4nsEventStatus@@@Z
+?DispatchEvent@nsContentUtils@@CA?AW4nsresult@@PAVDocument@dom@mozilla@@PAVnsISupports@@AAVWidgetEvent@5@W4EventMessage@5@W4CanBubble@5@W4Cancelable@5@W4Trusted@5@PA_NW4ChromeOnlyDispatch@5@@Z
+?SetDefaultComposed@WidgetEvent@mozilla@@QAEXXZ
+?DuplicatePrivateData@UIEvent@dom@mozilla@@UAEXXZ
+?GetMovementPoint@UIEvent@dom@mozilla@@IAE?AU?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@XZ
+?GetLayerPoint@UIEvent@dom@mozilla@@IBE?AU?$IntPointTyped@UUnknownUnits@gfx@mozilla@@@gfx@3@XZ
+?GetPageCoords@Event@dom@mozilla@@SA?AU?$IntPointTyped@UCSSPixel@mozilla@@@gfx@3@PAVnsPresContext@@PAVWidgetEvent@3@U?$IntPointTyped@ULayoutDevicePixel@mozilla@@@53@U453@@Z
+?Duplicate@WidgetMouseEvent@mozilla@@UBEPAVWidgetEvent@2@XZ
+??0WidgetEvent@mozilla@@IAE@_NW4EventMessage@1@W4EventClassID@1@@Z
+?AssignMouseEventData@WidgetMouseEvent@mozilla@@QAEXABV12@_N@Z
+?emitLoadWrapperTarget@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@0@Z
+?typePolicy@MAddAndStoreSlot@jit@js@@UAEPBVTypePolicy@23@XZ
+?pushFakeReturnAddress@MacroAssembler@jit@js@@AAEIURegister@23@@Z
+?hasLiveDefUses@MDefinition@jit@js@@QBE_NXZ
+?match@?$MovableCellHasher@PAVBaseScript@js@@@js@@SA_NABQAVBaseScript@2@0@Z
+?growStorageBy@?$Vector@VRecompileInfo@jit@js@@$00VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?typePolicy@MGetFirstDollarIndex@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MStoreDynamicSlot@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardSpecificAtom@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MArrayPush@jit@js@@UAEXAAVTempAllocator@23@@Z
+?guardSpecificAtom@MacroAssembler@jit@js@@QAEXURegister@23@PAVJSAtom@@0ABV?$LiveSet@VRegisterSet@jit@js@@@23@PAVLabel@23@@Z
+??$storeTypedOrValue@UBaseObjectElementIndex@jit@js@@@MacroAssembler@jit@js@@QAEXVTypedOrValueRegister@12@ABUBaseObjectElementIndex@12@@Z
+?update@IonGetIteratorIC@jit@js@@SAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@7@@Z
+_ZN107_$LT$style..properties..animated_properties..AnimationValue$u20$as$u20$style..values..animated..Animate$GT$7animate17hacea8c2f9d2da71fE
+?UpdateTransitions@nsTransitionManager@@QAE_NPAVElement@dom@mozilla@@W4PseudoStyleType@4@ABVComputedStyle@4@2@Z
+?AppendFontSlantStyle@nsStyleUtil@@SAXABVFontSlantStyle@mozilla@@AAV?$nsTSubstring@_S@@@Z
+Servo_Property_IsTransitionable
+Servo_Property_IsDiscreteAnimatable
+Servo_ComputedValues_ExtractAnimationValue
+??9AnimationValue@mozilla@@QBE_NABU01@@Z
+?IsInterpolableWith@AnimationValue@mozilla@@QBE_NW4nsCSSPropertyID@@ABU12@@Z
+Servo_AnimationValues_IsInterpolable
+?Init@ComputedTimingFunction@mozilla@@QAEXABUnsTimingFunction@@@Z
+?Init@SMILKeySpline@mozilla@@QAEXNNNN@Z
+??0KeyframeEffect@dom@mozilla@@QAE@PAVDocument@12@$$QAUOwningAnimationTarget@2@$$QAUTimingParams@2@ABUKeyframeEffectParams@2@@Z
+Servo_AnimationValue_Uncompute
+_ZN5style10properties19animated_properties14AnimationValue9uncompute17hb6f7618d11b26f01E
+_ZN5style10properties17declaration_block24PropertyDeclarationBlock8with_one17h5a68373d45129479E
+?SetKeyframes@KeyframeEffect@dom@mozilla@@QAEX$$QAV?$nsTArray@UKeyframe@mozilla@@@@PBVComputedStyle@3@@Z
+?HasComputedTimingChanged@KeyframeEffect@dom@mozilla@@SA_NABUComputedTiming@3@W4IterationCompositeOperation@23@ABU?$Nullable@N@23@_K@Z
+??$Append@$0M@$$V@?$TStringArrayAppender@D@dom@mozilla@@SAXAAV?$nsTArray@V?$nsTString@D@@@@GAAY0M@$$CBD@Z
+?GetComputedKeyframeValuesFor@ServoStyleSet@mozilla@@QAE?AV?$nsTArray@V?$nsTArray@UPropertyStyleAnimationValuePair@mozilla@@@@@@ABV?$nsTArray@UKeyframe@mozilla@@@@PAVElement@dom@2@W4PseudoStyleType@2@PBVComputedStyle@2@@Z
+Servo_GetComputedKeyframeValues
+_ZN5style10properties12StyleBuilder13for_animation17h383a0bef68157527E
+_ZN5style10properties17declaration_block22AnimationValueIterator3new17h79306067070184a5E
+_ZN5style10properties19animated_properties14AnimationValue16from_declaration17h7bdc028aa8130cefE
+??8ComputedTimingFunction@mozilla@@QBE_NABV01@@Z
+?HasEffectiveAnimationOfPropertySet@KeyframeEffect@dom@mozilla@@QBE_NABVnsCSSPropertyIDSet@@ABVEffectSet@3@@Z
+?ResolveServoStyleByAddingAnimation@ServoStyleSet@mozilla@@QAE?AU?$already_AddRefed@VComputedStyle@mozilla@@@@PAVElement@dom@2@PBVComputedStyle@2@PAURawServoAnimationValue@@@Z
+Servo_StyleSet_GetComputedValuesByAddingAnimation
+_ZN5style9rule_tree50_$LT$impl$u20$style..rule_tree..core..RuleTree$GT$39add_animation_rules_at_transition_level17h640419b0a9a9429bE
+??0Animation@dom@mozilla@@QAE@PAVnsIGlobalObject@@@Z
+?SetTimelineNoUpdate@Animation@dom@mozilla@@QAEXPAVAnimationTimeline@23@@Z
+?UpdateTiming@CSSTransition@dom@mozilla@@MAEXW4SeekFlag@Animation@23@W4SyncNotifyFlag@523@@Z
+?HasCurrentEffect@Animation@dom@mozilla@@QBE_NXZ
+?AddTimerAdjustmentObserver@nsRefreshDriver@@QAEXPAVnsATimerAdjustmentObserver@@@Z
+?SetEffectFromStyle@CSSTransition@dom@mozilla@@QAEXPAVAnimationEffect@23@@Z
+?SetEffectNoUpdate@Animation@dom@mozilla@@QAEXPAVAnimationEffect@23@@Z
+?SetAnimation@KeyframeEffect@dom@mozilla@@UAEXPAVAnimation@23@@Z
+?SetId@Animation@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@@Z
+?GetCurrentTimeAsDouble@Animation@dom@mozilla@@QBE?AU?$Nullable@N@23@XZ
+?Release@Animation@dom@mozilla@@UAGKXZ
+?PlayNoUpdate@Animation@dom@mozilla@@IAEXAAVErrorResult@3@W4LimitBehavior@123@@Z
+?GetCurrentTimeForHoldTime@Animation@dom@mozilla@@IBE?AU?$Nullable@V?$BaseTimeDuration@VTimeDurationValueCalculator@mozilla@@@mozilla@@@23@ABU423@@Z
+?GetOrCreatePendingAnimationTracker@Document@dom@mozilla@@QAEPAVPendingAnimationTracker@3@XZ
+??0PendingAnimationTracker@mozilla@@QAE@PAVDocument@dom@1@@Z
+?SchedulePaintWithoutInvalidatingObservers@nsIFrame@@QAEXW4PaintType@1@@Z
+?NotifyAnimationMutated@MutationObservers@dom@mozilla@@CAXPAVAnimation@23@W4AnimationMutationType@123@@Z
+?GetOrCreateEffectSet@EffectSet@mozilla@@SAPAV12@PAVElement@dom@2@W4PseudoStyleType@2@@Z
+?GetComputedTiming@AnimationEffect@dom@mozilla@@QBE?AUComputedTiming@3@PBUTimingParams@3@@Z
+?CascadeLevel@CSSTransition@dom@mozilla@@UBE?AW40EffectCompositor@3@XZ
+?RequestRestyle@EffectCompositor@mozilla@@QAEXPAVElement@dom@2@W4PseudoStyleType@2@W4RestyleType@12@W4CascadeLevel@12@@Z
+?GetUsedBorderAndPadding@nsIFrame@@QBE?AUnsMargin@@XZ
+?PostRestyleForAnimation@EffectCompositor@mozilla@@QAEXPAVElement@dom@2@W4PseudoStyleType@2@W4CascadeLevel@12@@Z
+?GetOrCreateAnimationCollection@?$AnimationCollection@VCSSTransition@dom@mozilla@@@mozilla@@SAPAV12@PAVElement@dom@2@W4PseudoStyleType@2@PA_N@Z
+Servo_AnimationValue_Release
+?UpdateCascadeResults@EffectCompositor@mozilla@@SAXAAVEffectSet@2@PAVElement@dom@2@W4PseudoStyleType@2@@Z
+?PostRestyleEventForAnimations@RestyleManager@mozilla@@QAEXPAVElement@dom@2@W4PseudoStyleType@2@UStyleRestyleHint@2@@Z
+?GetElementToRestyle@EffectCompositor@mozilla@@SAPAVElement@dom@2@PAV342@W4PseudoStyleType@2@@Z
+?PlayState@Animation@dom@mozilla@@QBE?AW4AnimationPlayState@23@XZ
+Gecko_GetAnimationEffectCount
+Gecko_GetAnimationRule
+?GetServoAnimationRule@EffectCompositor@mozilla@@QAE_NPBVElement@dom@2@W4PseudoStyleType@2@W4CascadeLevel@12@PAURawServoAnimationValueMap@@@Z
+Servo_AnimationCompose
+Gecko_GetProgressFromComputedTiming
+Gecko_GetPositionInSegment
+Servo_AnimationValues_ComputeDistance
+?AllowCompositorAnimationsOnFrame@EffectCompositor@mozilla@@SA_NPBVnsIFrame@@AAW4Type@AnimationPerformanceWarning@2@@Z
+?AreAsyncAnimationsEnabled@nsLayoutUtils@@SA_NXZ
+?GetPropertiesForCompositor@KeyframeEffect@dom@mozilla@@QBE?AVnsCSSPropertyIDSet@@AAVEffectSet@3@PBVnsIFrame@@@Z
+?FirstContinuationOrIBSplitSibling@nsLayoutUtils@@SAPAVnsIFrame@@PBV2@@Z
+?AppendFrames@nsBlockFrame@@UAEXW4FrameChildListID@layout@mozilla@@AAVnsFrameList@@@Z
+?ComputeCustomOverflow@nsTextFrame@@UAE_NAAUOverflowAreas@mozilla@@@Z
+?ComputeCustomOverflow@nsBlockFrame@@UAE_NAAUOverflowAreas@mozilla@@@Z
+?UnionChildOverflow@nsBlockFrame@@UAEXAAUOverflowAreas@mozilla@@@Z
+?ComputeInvalidationRegion@nsDisplayBoxShadowInner@@UBEXPAVnsDisplayListBuilder@@PBVnsDisplayItemGeometry@@PAVnsRegion@@@Z
+?TriggerPendingAnimationsOnNextTick@PendingAnimationTracker@mozilla@@QAEXABVTimeStamp@2@@Z
+?WillRefresh@DocumentTimeline@dom@mozilla@@UAEXVTimeStamp@3@@Z
+?MostRecentRefreshTimeUpdated@DocumentTimeline@dom@mozilla@@IAEXXZ
+?Tick@CSSTransition@dom@mozilla@@UAEXXZ
+?QueryInterface@Animation@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?ClearRestyleRequestsFor@EffectCompositor@mozilla@@QAEXPAVElement@dom@2@@Z
+?QueueEvents@CSSTransition@dom@mozilla@@IAEXABV?$BaseTimeDuration@VStickyTimeDurationValueCalculator@mozilla@@@3@@Z
+??0WidgetEvent@mozilla@@QAE@$$QAV01@@Z
+Servo_Property_GetName
+?PseudoTypeAsString@nsCSSPseudoElements@@SA?AV?$nsTString@_S@@W4PseudoStyleType@mozilla@@@Z
+??0AnimationEventInfo@mozilla@@QAE@$$QAU01@@Z
+??_GInternalTransitionEvent@mozilla@@UAEPAXI@Z
+?GetLabeledElement@HTMLLabelElement@dom@mozilla@@QBEPAVnsGenericHTMLElement@@XZ
+?Release@ThrottledEventQueue@mozilla@@UAGKXZ
+?Notify@TimeoutExecutor@dom@mozilla@@UAG?AW4nsresult@@PAVnsITimer@@@Z
+?GetFormControlFrame@nsGenericHTMLElement@@QAEPAVnsIFormControlFrame@@_N@Z
+?SafelyDestroyFrameListProp@nsContainerFrame@@IAEXPAVnsIFrame@@AAUPostFrameDestroyData@layout@mozilla@@PAVPresShell@5@PBU?$FramePropertyDescriptor@VnsFrameList@@@5@@Z
+?GetPrimaryPresState@nsGenericHTMLFormElementWithState@@QAEPAVPresState@mozilla@@XZ
+?RemoveProperty@nsPropertyTable@@QAE?AW4nsresult@@VnsPropertyOwner@@PBVnsAtom@@@Z
+?GetOrCreateAnimationCollection@?$AnimationCollection@VCSSAnimation@dom@mozilla@@@mozilla@@SAPAV12@PAVElement@dom@2@W4PseudoStyleType@2@PA_N@Z
+?Cancel@Animation@dom@mozilla@@QAEXW4PostRestyleMode@3@@Z
+?GetFinished@Animation@dom@mozilla@@QAEPAVPromise@23@AAVErrorResult@3@@Z
+??0AnimationPlaybackEventInit@dom@mozilla@@QAE@XZ
+?GetConstructorObject@AnimationEffect_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?ReduceTimePrecisionAsMSecsRFPOnly@nsRFPService@mozilla@@SANN_J@Z
+?Constructor@AnimationPlaybackEvent@dom@mozilla@@SA?AU?$already_AddRefed@VAnimationPlaybackEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUAnimationPlaybackEventInit@23@@Z
+?UpdateTarget@KeyframeEffect@dom@mozilla@@IAEXPAVElement@23@W4PseudoStyleType@3@@Z
+?PropertyDtor@EffectSet@mozilla@@SAXPAXPAVnsAtom@@00@Z
+?MaybeQueueCancelEvent@CSSTransition@dom@mozilla@@UAEXABV?$BaseTimeDuration@VStickyTimeDurationValueCalculator@mozilla@@@3@@Z
+?ReduceTimePrecisionAsSecsRFPOnly@nsRFPService@mozilla@@SANN_J@Z
+?trace@?$RootedTraceable@V?$JSONParser@E@js@@@js@@UAEXPAVJSTracer@@PBD@Z
+?trace@JSONParserBase@js@@IAEXPAVJSTracer@@@Z
+?storePayload@MacroAssemblerX86@jit@js@@QAEXABVValue@JS@@VOperand@23@@Z
+?SendContinue@PBackgroundIDBCursorChild@indexedDB@dom@mozilla@@QAE_NABVCursorRequestParams@234@ABVKey@234@1@Z
+?OnMessageReceived@PBackgroundIDBCursorParent@indexedDB@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@4@ABVMessage@IPC@@@Z
+?OnMessageReceived@PBackgroundFileRequestParent@dom@mozilla@@UAE?AW4Result@HasResultCodes@ipc@3@ABVMessage@IPC@@@Z
+??0CursorRequestParams@indexedDB@dom@mozilla@@QAE@$$QAV0123@@Z
+?ClearFocus@nsFocusManager@@UAG?AW4nsresult@@PAVmozIDOMWindowProxy@@@Z
+?OnKeyboardLayoutChanged@IMEHandler@widget@mozilla@@SAXXZ
+?RemoveWeakScrollObserver@nsDocShell@@UAG?AW4nsresult@@PAVnsIScrollObserver@@@Z
+?OnStopObservingContent@EventStateManager@mozilla@@QAEXPAVIMEContentObserver@2@@Z
+?DestroyDisplayItemDataFor@FrameLayerBuilder@mozilla@@SAXPAVnsIFrame@@@Z
+?RemoveChild@nsViewManager@@QAEXPAVnsView@@@Z
+?FrameLoader@nsSubDocumentFrame@@QBEPAVnsFrameLoader@@XZ
+?UnbindFromTree@nsGenericHTMLFrameElement@@UAEX_N@Z
+?StartDestroy@nsFrameLoader@@QAEX_N@Z
+?GetChildSessionHistory@BrowsingContext@dom@mozilla@@QAEPAVChildSHistory@23@XZ
+?LoadEntry@nsSHistory@@AAE?AW4nsresult@@HJIAAV?$nsTArray@ULoadEntryResult@nsSHistory@@@@_N@Z
+?GetChildCount@nsSHEntry@@UAG?AW4nsresult@@PAH@Z
+?FinalizeFrameLoader@Document@dom@mozilla@@QAE?AW4nsresult@@PAVnsFrameLoader@@PAVnsIRunnable@@@Z
+?FireChangeEventIfNeeded@HTMLInputElement@dom@mozilla@@QAEXXZ
+?FinalizeSelection@EditorBase@mozilla@@QAE?AW4nsresult@@XZ
+?Hide@nsFrameLoader@@QAEXXZ
+?SetSticky@nsDocumentViewer@@UAG?AW4nsresult@@_N@Z
+?NotifyRefreshDriverDestroying@DocumentTimeline@dom@mozilla@@QAEXPAVnsRefreshDriver@@@Z
+?SetParentWidget@nsDocShell@@UAG?AW4nsresult@@PAVnsIWidget@@@Z
+?Destroy@nsFrameLoader@@QAEX_N@Z
+?Destroy@nsDocShell@@UAG?AW4nsresult@@XZ
+?GetRecordProfileTimelineMarkers@nsDocShell@@UAG?AW4nsresult@@PA_N@Z
+?SaveSubtreeState@nsGenericHTMLFormElement@@UAEXXZ
+?NewPresState@mozilla@@YA?AV?$UniquePtr@VPresState@mozilla@@V?$DefaultDelete@VPresState@mozilla@@@2@@1@XZ
+??0PresContentData@mozilla@@QAE@ABV01@@Z
+?MaybeDestroy@PresContentData@mozilla@@AAE_NW4Type@12@@Z
+??4PresContentData@mozilla@@QAEAAV01@$$QAVTextContentData@1@@Z
+??4PresContentData@mozilla@@QAEAAV01@$$QAVCheckedContentData@1@@Z
+?DropJSObjectsImpl@cyclecollector@mozilla@@YAXPAVnsISupports@@@Z
+?Trace@ClearJSHolder@@UBEXPAV?$Heap@PAVJSScript@@@JS@@PBDPAX@Z
+?Destroy@nsDocLoader@@IAEXXZ
+?Stop@nsDocShell@@UAG?AW4nsresult@@XZ
+?DetachFromDocShell@nsGlobalWindowOuter@@QAEX_N@Z
+?RemoveAllListeners@EventListenerManager@mozilla@@QAEXXZ
+?Write@?$Serializer@V?$ProfilerStringView@_S@mozilla@@@ProfileBufferEntryWriter@mozilla@@SAXAAV23@ABV?$ProfilerStringView@_S@3@@Z
+?OnNavigation@Navigator@dom@mozilla@@QAEXXZ
+?Invalidate@Navigator@dom@mozilla@@QAEXXZ
+?CopyFromClonedMessageDataForBackgroundChild@ServiceWorkerCloneData@dom@mozilla@@QAEXABVClonedOrErrorMessageData@23@@Z
+??0WindowDestroyedEvent@mozilla@@QAE@PAVnsGlobalWindowOuter@@_KPBD@Z
+?Detach@BrowsingContext@dom@mozilla@@QAEX_N@Z
+?BrowsingContextDetached@nsFocusManager@@QAEXPAVBrowsingContext@dom@mozilla@@@Z
+?SpeculativeConnect@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PAVnsIPrincipal@@PAVnsIInterfaceRequestor@@@Z
+?SpeculativeConnectInternal@nsHttpHandler@net@mozilla@@AAE?AW4nsresult@@PAVnsIURI@@PAVnsIPrincipal@@PAVnsIInterfaceRequestor@@_N@Z
+?GetSSService@nsHttpHandler@net@mozilla@@QAEPAVnsISiteSecurityService@@XZ
+?CanonicalizeHostname@PublicKeyPinningService@psm@mozilla@@SA?AV?$nsTAutoStringN@D$0EA@@@PBD@Z
+??1nsSecurityHeaderParser@@QAE@XZ
+??0nsHttpConnectionInfo@net@mozilla@@QAE@ABV?$nsTSubstring@D@@H000PAVnsProxyInfo@12@ABVOriginAttributes@2@_N3@Z
+?CreateSearchParamsIfNeeded@URL@dom@mozilla@@AAEXXZ
+?Has@URLParams@mozilla@@QAE_NABV?$nsTSubstring@_S@@@Z
+?GetPathname@URL@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?ToNode@RegExpEmpty@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?HasValidStream@RemoteLazyInputStreamParent@mozilla@@QBE_NXZ
+?copyUpdatedExtent@FunctionBox@frontend@js@@QAEXXZ
+?copyUpdatedMemberInitializers@FunctionBox@frontend@js@@QAEXXZ
+??$TraceEdgeInternal@PAVRegExpShared@js@@@gc@js@@YA_NPAVJSTracer@@PAPAVRegExpShared@1@PBD@Z
+?NotifyEmptyFrame@ScreenshotGrabber@layers@mozilla@@QAEXXZ
+?OneUcs4ToUtf8Char@js@@YAIPAEI@Z
+?typePolicy@MBoxNonStrictThis@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MCheckIsObj@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?GetFallbackOrPaintColor@SVGUtils@mozilla@@SAIABVComputedStyle@2@PQnsStyleSVG@@U?$StyleGenericSVGPaint@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UStyleComputedUrl@2@@2@@Z
+?Scale_pts@SkMatrix@@CAXABV1@QAUSkPoint@@QBU2@H@Z
+?blitAntiV2@SkARGB32_Blitter@@UAEXHHII@Z
+?ionScriptFromCalleeToken@JSJitFrameIter@jit@js@@QBEPAVIonScript@23@XZ
+?getGcSlot@SafepointReader@jit@js@@QAE_NPAUSafepointSlotEntry@23@@Z
+?getValueSlot@SafepointReader@jit@js@@QAE_NPAUSafepointSlotEntry@23@@Z
+?spillBase@JSJitFrameIter@jit@js@@QBEPAIXZ
+?TraceGenericPointerRoot@js@@YAXPAVJSTracer@@PAPAUCell@gc@1@PBD@Z
+?UnsafeTraceRoot@JS@@YAXPAVJSTracer@@PAUPropertyKey@1@PBD@Z
+?getNunboxSlot@SafepointReader@jit@js@@QAE_NPAVLAllocation@23@0@Z
+?getSlotsOrElementsSlot@SafepointReader@jit@js@@QAE_NPAUSafepointSlotEntry@23@@Z
+??$storeUnboxedValue@UAddress@jit@js@@@MacroAssembler@jit@js@@QAEXABVConstantOrRegister@12@W4MIRType@12@ABUAddress@12@1@Z
+?trace@IonCompileTask@jit@js@@QAEXPAVJSTracer@@@Z
+?trace@?$RootedTraceable@PAVRealm@JS@@@js@@UAEXPAVJSTracer@@PBD@Z
+?nsCycleCollector_doDeferredDeletionWithBudget@@YA_NAAVSliceBudget@js@@@Z
+?DescribeGCedNode@CCGraphBuilder@@UAGX_NPBD_K@Z
+?DeleteCycleCollectable@nsIContent@@UAGXXZ
+??1nsINode@@UAE@XZ
+?Trace@SnowWhiteKiller@@UBEXPAV?$Heap@PAVJSObject@@@JS@@PBDPAX@Z
+?Trace@SnowWhiteKiller@@UBEXPAV?$TenuredHeap@PAVJSObject@@@JS@@PBDPAX@Z
+?DeleteCycleCollectable@cycleCollection@CallbackObject@dom@mozilla@@UAGXPAX@Z
+??$DoSetRange@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@V1@V2@@StaticRange@dom@mozilla@@IAEXABV?$RangeBoundaryBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@2@0PAVnsINode@@@Z
+?Trace@ClearJSHolder@@UBEXPAV?$Heap@PAVJSObject@@@JS@@PBDPAX@Z
+?DeleteCycleCollectable@Localization@intl@mozilla@@UAGXXZ
+??_GContentIteratorBase@mozilla@@UAEPAXI@Z
+??$?0M@?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@N@gfx@mozilla@@QAE@ABV?$Matrix4x4Typed@UUnknownUnits@gfx@mozilla@@U123@M@12@@Z
+?IsWaiting@PendingAnimationTracker@mozilla@@ABE_NABVAnimation@dom@2@ABV?$nsTHashtable@V?$nsRefPtrHashKey@VAnimation@dom@mozilla@@@@@@@Z
+?Constructor@StyleSheet@mozilla@@SA?AU?$already_AddRefed@VStyleSheet@mozilla@@@@ABVGlobalObject@dom@2@ABUCSSStyleSheetInit@52@AAVErrorResult@2@@Z
+?DeleteCycleCollectable@cycleCollection@Event@dom@mozilla@@UAGXPAX@Z
+?DeleteCycleCollectable@Event@dom@mozilla@@UAGXXZ
+??_GBeforeUnloadEvent@dom@mozilla@@MAEPAXI@Z
+??1Event@dom@mozilla@@MAE@XZ
+?DeleteCycleCollectable@CallbackObject@dom@mozilla@@UAGXXZ
+?AddSizeOfIncludingThis@ResizeObserverController@dom@mozilla@@QBEXAAVnsWindowSizes@@@Z
+?Gpu@Navigator@dom@mozilla@@QAEPAVInstance@webgpu@3@XZ
+?RemoveNodeInfo@nsNodeInfoManager@@QAEXPAVNodeInfo@dom@mozilla@@@Z
+??_GEventHandlerNonNull@dom@mozilla@@UAEPAXI@Z
+??_GAnimationPlaybackEvent@dom@mozilla@@MAEPAXI@Z
+?QueryInterface@nsNodeSupportsWeakRefTearoff@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetNodeValueInternal@nsINode@@UAEXAAV?$nsTSubstring@_S@@@Z
+??_GFastAnyCallback@binding_detail@dom@mozilla@@UAEPAXI@Z
+?Constructor@DragEvent@dom@mozilla@@SA?AU?$already_AddRefed@VDragEvent@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUDragEventInit@23@@Z
+?QueryInterface@nsContentList@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DeleteCycleCollectable@AnimationEffect@dom@mozilla@@UAGXXZ
+?NS_NewDOMDataChannel@@YA?AW4nsresult@@$$QAU?$already_AddRefed@VDataChannel@mozilla@@@@PAVnsPIDOMWindowInner@@PAPAVnsDOMDataChannel@@@Z
+??1nsContentList@@MAE@XZ
+?DeleteCycleCollectable@cycleCollection@AbstractRange@dom@mozilla@@UAGXPAX@Z
+??_GnsXMLContentSink@@MAEPAXI@Z
+??1nsXMLContentSink@@MAE@XZ
+??1nsContentSink@@MAE@XZ
+MOZ_XML_ParserFree
+??_GInternalMutationEvent@mozilla@@UAEPAXI@Z
+??_GDocumentFragment@dom@mozilla@@MAEPAXI@Z
+??1FragmentOrElement@dom@mozilla@@MAE@XZ
+?DeleteCycleCollectable@DOMRectReadOnly@dom@mozilla@@UAGXXZ
+?DeleteCycleCollectable@cycleCollection@EditTransactionBase@mozilla@@UAGXPAX@Z
+??$?8V?$EditorDOMRangeBase@V?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@@mozilla@@@?$EditorDOMRangeBase@V?$EditorDOMPointBase@V?$nsCOMPtr@VnsINode@@@@V?$nsCOMPtr@VnsIContent@@@@@mozilla@@@mozilla@@QBE_NABV01@@Z
+?BeginBatch@TransactionManager@mozilla@@UAG?AW4nsresult@@PAVnsISupports@@@Z
+?Empty@nsDequeBase@detail@mozilla@@IAEXXZ
+??1nsDequeBase@detail@mozilla@@IAE@XZ
+?DeleteCycleCollectable@DebuggerNotification@dom@mozilla@@UAGXXZ
+?GetRegionCode@PaymentAddress@payments@dom@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+??_GHTMLContentSink@@MAEPAXI@Z
+??1HTMLContentSink@@MAE@XZ
+?QueryInterface@UIEvent@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@DOMRectReadOnly@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??_GDOMRect@dom@mozilla@@EAEPAXI@Z
+?MaybeSendUpdateDocumentWouldPreloadResources@WindowGlobalChild@dom@mozilla@@QAEXXZ
+?DeleteCycleCollectable@nsPrinterListBase@@UAGXXZ
+??1nsHtml5AtomTable@@QAE@XZ
+??1nsHtml5Tokenizer@@QAE@XZ
+??1nsHtml5ElementName@@QAE@XZ
+??1nsHtml5AttributeName@@QAE@XZ
+??_GnsHtml5TreeBuilder@@UAEPAXI@Z
+??1nsHtml5TreeBuilder@@UAE@XZ
+?GetTainting@InternalResponse@dom@mozilla@@QBE?AW4LoadTainting@3@XZ
+?DeleteCycleCollectable@BodyStreamHolder@dom@mozilla@@UAGXXZ
+??_GRequest@dom@mozilla@@EAEPAXI@Z
+??1Request@dom@mozilla@@EAE@XZ
+?ReportJSStreamError@FetchUtil@dom@mozilla@@SAXPAUJSContext@@I@Z
+??_GPlaceholderTransaction@mozilla@@MAEPAXI@Z
+??1PlaceholderTransaction@mozilla@@MAE@XZ
+??1EditAggregateTransaction@mozilla@@MAE@XZ
+??_GDeleteNodeTransaction@mozilla@@MAEPAXI@Z
+??_GnsContentSlots@nsIContent@@UAEPAXI@Z
+??1nsSlots@nsINode@@UAE@XZ
+?QueryInterface@PromiseNativeThenHandlerBase@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DeleteCycleCollectable@CSSRuleList@dom@mozilla@@UAGXXZ
+?GetSplineValue@SMILKeySpline@mozilla@@QBENN@Z
+?FrameIsScrolledOutOfViewInCrossProcess@nsLayoutUtils@@SA_NPBVnsIFrame@@@Z
+?RestyleForAnimation@PresShell@mozilla@@QAEXPAVElement@dom@2@UStyleRestyleHint@2@@Z
+??$put@AAPAVZone@JS@@@?$HashSet@PAVZone@JS@@U?$DefaultHasher@PAVZone@JS@@X@mozilla@@VSystemAllocPolicy@js@@@mozilla@@QAE_NAAPAVZone@JS@@@Z
+??$add@AAPAVZone@JS@@@?$HashTable@QAVZone@JS@@USetHashPolicy@?$HashSet@PAVZone@JS@@U?$DefaultHasher@PAVZone@JS@@X@mozilla@@VSystemAllocPolicy@js@@@mozilla@@VSystemAllocPolicy@js@@@detail@mozilla@@QAE_NAAVAddPtr@012@AAPAVZone@JS@@@Z
+?changeTableSize@?$HashTable@QAVZone@JS@@USetHashPolicy@?$HashSet@PAVZone@JS@@U?$DefaultHasher@PAVZone@JS@@X@mozilla@@VSystemAllocPolicy@js@@@mozilla@@VSystemAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?findSweepGroupEdgesForZone@WeakMapBase@js@@SA_NPAVZone@JS@@@Z
+?findSweepGroupEdges@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@MAE_NXZ
+?findSweepGroupEdges@DebugAPI@js@@SA_NPAUJSRuntime@@@Z
+?markBufferedGrayRoots@GCRuntime@gc@js@@AAEXPAVZone@JS@@@Z
+?UpdateWeakPointersAfterGC@XPCWrappedNativeScope@@QAEXXZ
+??$IsAboutToBeFinalizedInternal@VBaseScript@js@@@gc@js@@YA_NPAPAVBaseScript@1@@Z
+?addWeakEntry@WeakMapBase@js@@KAXPAVGCMarker@2@PAUCell@gc@2@ABUWeakMarkable@52@@Z
+??$put@VEntry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@@?$OrderedHashTable@VEntry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@UMapOps@23@VSystemAllocPolicy@3@@detail@js@@QAE_N$$QAVEntry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@2@@Z
+?JS_UpdateWeakPointerAfterGC@@YAXPAV?$Heap@PAVJSObject@@@JS@@@Z
+?setNeedsIncrementalBarrier@?$WeakCache@V?$GCHashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@JS@@@JS@@UAE_N_N@Z
+?traceWeak@JitRealm@jit@js@@QAEXPAVJSTracer@@PAVRealm@JS@@@Z
+?onBaseShapeEdge@SweepingTracer@gc@js@@UAEPAVBaseShape@3@PAV43@@Z
+?sweep@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@EAEXXZ
+?compact@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@QAEXXZ
+??$IsAboutToBeFinalizedInternal@VRegExpShared@js@@@gc@js@@YA_NPAPAVRegExpShared@1@@Z
+?XPC_WN_NoHelper_Finalize@@YAXPAVJSFreeOp@@PAVJSObject@@@Z
+?DeferredFinalize@mozilla@@YAXP6APAXPAX0@ZP6A_NI0@Z0@Z
+?Constructor@MIDIConnectionEvent@dom@mozilla@@SA?AU?$already_AddRefed@VMIDIConnectionEvent@dom@mozilla@@@@ABVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUMIDIConnectionEventInit@23@@Z
+?s_MatchEntry@?$nsTHashtable@V?$nsBaseHashtableET@V?$nsFuncPtrHashKey@P6A_NIPAX@Z@@PAX@@@@KA_NPBUPLDHashEntryHdr@@PBX@Z
+?CreateInterfaceObjects@RTCTrackEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??1ScriptSource@js@@QAE@XZ
+?releaseJitScriptOnFinalize@JSScript@@QAEXPAVJSFreeOp@@@Z
+?finalize@JitCode@jit@js@@QAEXPAVJSFreeOp@@@Z
+?growStorageBy@?$Vector@UJitPoisonRange@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?purgeOptimizedStubs@JitScript@jit@js@@QAEXPAVJSScript@@@Z
+?setBaselineScriptImpl@JitScript@jit@js@@AAEXPAVJSFreeOp@@PAVJSScript@@PAVBaselineScript@23@@Z
+?purgeOptimizedStubs@InliningRoot@jit@js@@QAEXPAVZone@JS@@@Z
+?purgeOptimizedStubs@ICScript@jit@js@@QAEXPAVZone@JS@@@Z
+?bitwiseOrInto@SparseBitmap@js@@QBEXAAVDenseBitmap@2@@Z
+?addSizeOfExcludingThis@ArrayBufferObject@js@@SAXPAVJSObject@@P6AIPBX@ZPAUClassInfo@JS@@@Z
+?startIncrementalSweep@AtomsTable@js@@QAE_NXZ
+??0SweepIterator@AtomsTable@js@@QAE@AAV12@@Z
+?sweepIncrementally@AtomsTable@js@@QAE_NAAVSweepIterator@12@AAVSliceBudget@2@@Z
+?finalize@Scope@js@@QAEXPAVJSFreeOp@@@Z
+?traceWeak@AtomsTable@js@@QAEXPAVJSTracer@@@Z
+?XRE_XPCShellMain@@YAHHPAPAD0PBUXREShellData@@@Z
+?poison@?$OutOfLinePoisoner@$0CE@@detail@mozilla@@SAXPAXI@Z
+?poisonCode@ExecutableAllocator@jit@js@@SAXPAUJSRuntime@@AAV?$Vector@UJitPoisonRange@jit@js@@$0A@VSystemAllocPolicy@3@@mozilla@@@Z
+?SweepAllWrappedNativeTearOffs@XPCWrappedNativeScope@@SAXXZ
+??1XPCWrappedNativeProto@@QAE@XZ
+??1CompartmentPrivate@xpc@@QAE@XZ
+??1XPCWrappedNativeScope@@UAE@XZ
+??$append@VValue@JS@@@?$GCVector@VValue@JS@@$07VTempAllocPolicy@js@@@JS@@QAE_NPBVValue@1@I@Z
+?FireOnGarbageCollectionHookRequired@dbg@JS@@YA_NPAUJSContext@@@Z
+?ContentAppended@ScriptElement@dom@mozilla@@UAEXPAVnsIContent@@@Z
+?HasNonEmptyTextContent@nsContentUtils@@SA_NPAVnsINode@@W4TextContentDiscoverMode@1@@Z
+?GetReferrerPolicy@HTMLScriptElement@dom@mozilla@@UAE?AW4ReferrerPolicy@23@XZ
+?Compile@JSExecutionContext@dom@mozilla@@QAE?AW4nsresult@@AAVCompileOptions@JS@@AAV?$SourceText@_S@6@@Z
+??$GetDecimalNonInteger@_S@js@@YA_NPAUJSContext@@PB_S1PAN@Z
+cascade_filter_construct
+?setSourceMapURL@ScriptSource@js@@QAE_NPAUJSContext@@PB_S@Z
+?setSourceMapURL@ScriptSource@js@@QAE_NPAUJSContext@@$$QAV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@@Z
+?codeCharsZ@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@AAV?$MaybeOneOf@PB_SV?$UniquePtr@$$BY0A@_SUFreePolicy@JS@@@mozilla@@@4@@Z
+?GetIndexFromString@jit@js@@YAHPAVJSString@@@Z
+?GetReadyState@Document@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?HasStates@nsLayoutHistoryState@@UAE_NXZ
+?AddRef@AddonContentPolicy@@W3AGKXZ
+??$DeleteProperty@VLayerActivity@mozilla@@@nsINode@@SAXPAXPAVnsAtom@@00@Z
+?UnmarkGrayGCThingRecursively@JS@@YA_NVGCCellPtr@1@@Z
+?TraceChildren@JS@@YAXPAVJSTracer@@VGCCellPtr@1@@Z
+?onSymbolEdge@SweepingTracer@gc@js@@UAEPAVSymbol@JS@@PAV45@@Z
+?onScopeEdge@CallbackTracer@JS@@EAEPAVScope@js@@PAV34@@Z
+?onSymbolEdge@CallbackTracer@JS@@EAEPAVSymbol@2@PAV32@@Z
+?RegisterVisitedCallback@BaseHistory@mozilla@@UAEXPAVnsIURI@@PAVLink@dom@2@@Z
+?EqualsInternal@nsJSURI@@MAE?AW4nsresult@@PAVnsIURI@@W4RefHandlingEnum@nsSimpleURI@net@mozilla@@PA_N@Z
+?EqualsInternal@nsSimpleURI@net@mozilla@@IAE_NPAV123@W4RefHandlingEnum@123@@Z
+?nsCycleCollector_forgetSkippable@@YAXAAVSliceBudget@js@@_N1@Z
+??0AutoGlobalTimelineMarker@mozilla@@QAE@PBDW4MarkerStackRequest@1@@Z
+?MarkUncollectableForCCGeneration@nsFocusManager@@SAXI@Z
+?MarkForCC@EventListenerManager@mozilla@@QAEXXZ
+?UnmarkGrayTimers@TimeoutManager@dom@mozilla@@QAEXXZ
+?GetHasHiddenWindow@nsAppShellService@@UAG?AW4nsresult@@PA_N@Z
+?MarkInCCGeneration@nsXULPrototypeCache@@QAEXI@Z
+?GetWindowOpenLocation@nsWindowWatcher@@SAHPAVnsPIDOMWindowOuter@@I_N11@Z
+?CanSkip@FragmentOrElement@dom@mozilla@@SA_NPAVnsINode@@_N@Z
+?CanSkipReal@cycleCollection@CallbackObject@dom@mozilla@@UAG_NPAX_N@Z
+?CanSkipReal@cycleCollection@DOMEventTargetHelper@mozilla@@UAG_NPAX_N@Z
+?CellIsMarkedGrayIfKnown@detail@gc@js@@YA_NPBUCell@23@@Z
+?QueryInterface@Glean@glean@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?RetrieveConsoleEvents@Console@dom@mozilla@@QAEXPAUJSContext@@AAV?$nsTArray@VValue@JS@@@@AAVErrorResult@3@@Z
+?MarkNodeChildren@FragmentOrElement@dom@mozilla@@SAXPAVnsINode@@@Z
+?QueryInterface@nsComputedDOMStyle@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+??1nsDOMCSSDeclaration@@MAE@XZ
+?CanSkipReal@cycleCollection@NodeInfo@dom@mozilla@@UAG_NPAX_N@Z
+?AddRef@nsGlobalWindowOuter@@WBA@AGKXZ
+?CanSkipReal@cycleCollection@Document@dom@mozilla@@UAG_NPAX_N@Z
+?QueryInterface@PermissionDelegateHandler@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AddSecurityState@WindowGlobalParent@dom@mozilla@@QAEXI@Z
+?WrapObject@PerformanceNavigation@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CanSkipReal@cycleCollection@nsGlobalWindowInner@@UAG_NPAX_N@Z
+?QueryInterface@MediaList@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsSimpleContentList@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetTransferableForSelection@nsCopySupport@@SA?AW4nsresult@@PAVSelection@dom@mozilla@@PAVDocument@45@PAPAVnsITransferable@@@Z
+?IsChrome@IDBFactory@dom@mozilla@@QBE_NXZ
+?HasElementCreator@nsNameSpaceManager@@QAE_NH@Z
+?WrapObject@DOMMatrix@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?QueryInterface@KeyframeEffect@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?IsLoaded@TextTrackManager@dom@mozilla@@QAE_NXZ
+?RecvThaw@SharedWorkerParent@dom@mozilla@@QAE?AVIPCResult@ipc@3@XZ
+?CheckListenerChain@MediaDocumentStreamListener@dom@mozilla@@UAG?AW4nsresult@@XZ
+?QueryInterface@MediaTrackList@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Read@?$IPDLParamTraits@PAVnsDOMNavigationTiming@@@ipc@mozilla@@SA_NPBVMessage@IPC@@PAVPickleIterator@@PAVIProtocol@23@PAV?$RefPtr@VnsDOMNavigationTiming@@@@@Z
+?GetEntriesByType@PerformanceObserverEntryList@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAV?$nsTArray@V?$RefPtr@VPerformanceEntry@dom@mozilla@@@@@@@Z
+?NotifyNetworkMonitorAlternateStack@dom@mozilla@@YAXPAVnsISupports@@ABV?$nsTSubstring@_S@@@Z
+?Traverse@TextControlState@mozilla@@QAEXAAVnsCycleCollectionTraversalCallback@@@Z
+?ClearCycleCollectorCleanupData@@YAXXZ
+??1AutoGlobalTimelineMarker@mozilla@@QAE@XZ
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsStringCaseInsensitiveHashKey@@V?$RefPtr@VModuleRecord@mozilla@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+??1?$nsBaseHashtableET@VnsStringCaseInsensitiveHashKey@@V?$RefPtr@VModuleRecord@mozilla@@@@@@AAE@XZ
+?_Tidy@?$vector@VSharedLibrary@@V?$allocator@VSharedLibrary@@@std@@@std@@AAEXXZ
+?str_fromCharCode@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?for_@Symbol@JS@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSString@@@2@@Z
+?changeTableSize@?$HashTable@$$CBV?$WeakHeapPtr@PAVSymbol@JS@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVSymbol@JS@@@js@@UHashSymbolsByDescription@2@VSystemAllocPolicy@2@@mozilla@@VSystemAllocPolicy@2@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?has@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?CreateInterfaceObjects@AnimationEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@TransitionEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@CompositionEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetImplementation@Document@dom@mozilla@@QAEPAVDOMImplementation@23@AAVErrorResult@3@@Z
+??0DOMImplementation@dom@mozilla@@QAE@PAVDocument@12@PAVnsIGlobalObject@@PAVnsIURI@@2@Z
+?WrapObject@DOMImplementation@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@DOMImplementation_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMImplementation@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@DOMImplementation_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetInnerHTML@Element@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@AAVOOMReporter@3@@Z
+?GetMarkup@FragmentOrElement@dom@mozilla@@IAEX_NAAV?$nsTSubstring@_S@@@Z
+?SerializeNodeToMarkup@nsContentUtils@@SA_NPAVnsINode@@_NAAV?$nsTSubstring@_S@@@Z
+?GetFirstChildOfTemplateOrNode@nsINode@@QAEPAVnsIContent@@XZ
+??4?$nsTArray_Impl@V?$RefPtr@VnsAtom@@@@UnsTArrayInfallibleAllocator@@@@QAEAAV0@$$QAV0@@Z
+?IsFirstPartyTrackingResourceWindow@nsContentUtils@@SA_NPAVnsPIDOMWindowInner@@@Z
+?WrapObject@Navigator@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Navigator_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVNavigator@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Navigator_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ConstructorEnabled@GamepadButton_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@GamepadServiceTest_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@VRMockController_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?dom_webmidi_enabled@StaticPrefs@mozilla@@YA_NXZ
+?HasUserMediaSupport@Navigator@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?beacon_enabled@StaticPrefs@mozilla@@YA_NXZ
+?HasShareSupport@Navigator@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?IsValidSite@AddonManagerWebAPI@mozilla@@SA_NPAVnsIURI@@@Z
+?dom_vr_webxr_enabled@StaticPrefs@mozilla@@YA_NXZ
+?IsEnabled@ServiceWorkerContainer@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?ConstructorEnabled@PresentationConnectionAvailableEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ShouldTCPSocketExist@TCPSocket@dom@mozilla@@SA_NPAUJSContext@@PAVJSObject@@@Z
+?security_webauth_webauthn@StaticPrefs@mozilla@@YA_NXZ
+?dom_events_asyncClipboard@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@MediaMetadata_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@GPUAdapter_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?dom_webdriver_enabled@StaticPrefs@mozilla@@YA_NXZ
+?geo_enabled@StaticPrefs@mozilla@@YA_NXZ
+?GetUserAgent@Navigator@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@W4CallerType@23@AAVErrorResult@3@@Z
+?GetUserAgent@Navigator@dom@mozilla@@SA?AW4nsresult@@PAVnsPIDOMWindowInner@@PAVnsIPrincipal@@_NAAV?$nsTSubstring@_S@@@Z
+?ShouldResistFingerprinting@nsContentUtils@@SA_NPAVnsIPrincipal@@@Z
+?GetUserAgent@nsHttpHandler@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?emitGuardIndexGreaterThanDenseInitLength@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?emitGuardIsExtensible@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?branchIfObjectNotExtensible@MacroAssembler@jit@js@@QAEXURegister@23@0PAVLabel@23@@Z
+?emitGuardIndexIsNonNegative@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+?emitGuardIndexIsValidUpdateOrAdd@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?AddOrUpdateSparseElementHelper@js@@YA_NPAUJSContext@@V?$Handle@PAVArrayObject@js@@@JS@@HV?$Handle@VValue@JS@@@4@_N@Z
+??$GetFuncStringContentList@VnsCacheableFuncStringHTMLCollection@@@@YA?AU?$already_AddRefed@VnsContentList@@@@PAVnsINode@@P6A_NPAVElement@dom@mozilla@@HPAVnsAtom@@PAX@ZP6AX3@ZP6APAX0PBV?$nsTString@_S@@@ZABV?$nsTSubstring@_S@@@Z
+?AllocClassMatchingInfo@nsContentUtils@@CAPAXPAVnsINode@@PBV?$nsTString@_S@@@Z
+?MatchClassNames@nsContentUtils@@CA_NPAVElement@dom@mozilla@@HPAVnsAtom@@PAX@Z
+?emitCompareSymbolResult@CacheIRCompiler@jit@js@@IAE_NW4JSOp@@VSymbolOperandId@23@1@Z
+?Wrap@HTMLHeadingElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLHeadingElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLHeadingElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?setInterpreterFieldsForPrologue@BaselineFrame@jit@js@@QAEXPAVJSScript@@@Z
+?hasOwn@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?defineProperty@DOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$Handle@UPropertyDescriptor@JS@@@6@AAVObjectOpResult@6@@Z
+?defineProperty@DOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@6@V?$Handle@UPropertyDescriptor@JS@@@6@AAVObjectOpResult@6@PA_N@Z
+?JS_DefinePropertyById@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@3@V?$Handle@UPropertyDescriptor@JS@@@3@AAVObjectOpResult@3@@Z
+?ProxyHasOwn@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@PA_N@Z
+?Wrap@FocusEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVFocusEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@FocusEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?EventPhase@Event@dom@mozilla@@QBEGXZ
+?TimeStamp@Event@dom@mozilla@@QAENXZ
+?GetRelatedTarget@FocusEvent@dom@mozilla@@QAE?AU?$already_AddRefed@VEventTarget@dom@mozilla@@@@XZ
+?StopCrossProcessForwarding@Event@dom@mozilla@@QAEXXZ
+?Duplicate@InternalFocusEvent@mozilla@@UBEPAVWidgetEvent@2@XZ
+?getPrototype@?$MaybeCrossOriginObject@VWrapper@js@@@dom@mozilla@@MBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@6@@Z
+?getSameOriginPrototype@nsOuterWindowProxy@@UBEPAVJSObject@@PAUJSContext@@@Z
+?GetHistory@nsGlobalWindowInner@@QAEPAVnsHistory@@AAVErrorResult@mozilla@@@Z
+??0nsHistory@@QAE@PAVnsPIDOMWindowInner@@@Z
+?WrapObject@nsHistory@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@History_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsHistory@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@nsHistory@@QBEPAVnsPIDOMWindowInner@@XZ
+?CreateInterfaceObjects@History_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?str_toString@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SetHash@Location@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?CheckLocationChangeRateLimit@BrowsingContext@dom@mozilla@@QAE?AW4nsresult@@W4CallerType@23@@Z
+?EqualsURI@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@PA_N@Z
+?IsSandboxedFrom@BrowsingContext@dom@mozilla@@QAE_NPAV123@@Z
+?InsertObjectsAt@nsCOMArray_base@@IAE_NABV1@H@Z
+?SetScrollPosition@nsSHEntry@@UAG?AW4nsresult@@HH@Z
+?GetCacheKey@nsSHEntry@@UAG?AW4nsresult@@PAI@Z
+?SetTarget@nsDocShellLoadState@@QAEXABV?$nsTSubstring@_S@@@Z
+?SetScrollRestorationIsManual@nsSHEntry@@UAG?AW4nsresult@@_N@Z
+?AddChild@SessionHistoryEntry@dom@mozilla@@QAEXPAV123@H_N@Z
+?SwapHistoryEntries@nsDocShell@@QAEXPAVnsISHEntry@@0@Z
+?CopyFavicon@nsDocShell@@SAXPAVnsIURI@@0PAVnsIPrincipal@@_N@Z
+?ClearDidHistoryRestore@nsHTMLScrollFrame@@UAEXXZ
+?GoToAnchor@PresShell@mozilla@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@_NW4ScrollFlags@2@@Z
+??$GetFuncStringContentList@VnsCachableElementsByNameNodeList@@@@YA?AU?$already_AddRefed@VnsContentList@@@@PAVnsINode@@P6A_NPAVElement@dom@mozilla@@HPAVnsAtom@@PAX@ZP6AX3@ZP6APAX0PBV?$nsTString@_S@@@ZABV?$nsTSubstring@_S@@@Z
+?UseExistingNameString@Document@dom@mozilla@@KAPAXPAVnsINode@@PBV?$nsTString@_S@@@Z
+?Length@nsContentList@@UAEIXZ
+?MatchNameAttribute@Document@dom@mozilla@@KA_NPAVElement@23@HPAVnsAtom@@PAX@Z
+?SetContentState@EventStateManager@mozilla@@QAE_NPAVnsIContent@@VEventStates@2@@Z
+?DidHistoryRestore@nsHTMLScrollFrame@@UBE_NXZ
+?EqualsIgnoreASCIICase@nsContentUtils@@SA_NABV?$nsTSubstring@_S@@0@Z
+?UnEscapeAndConvert@nsTextToSubURI@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0AAV?$nsTSubstring@_S@@@Z
+?DispatchSyncPopState@nsGlobalWindowInner@@UAE?AW4nsresult@@XZ
+?GetStateObject@Document@dom@mozilla@@QAE?AW4nsresult@@PAPAVnsIVariant@@@Z
+??0PopStateEventInit@dom@mozilla@@QAE@XZ
+?Wrap@PointerEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVPointerEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Constructor@PopStateEvent@dom@mozilla@@SA?AU?$already_AddRefed@VPopStateEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUPopStateEventInit@23@@Z
+?DispatchAsyncHashchange@nsGlobalWindowInner@@UAE?AW4nsresult@@PAVnsIURI@@0@Z
+?getAddr@SkMask@@QBEPAXHH@Z
+??_GCallbackDebuggerNotification@dom@mozilla@@MAEPAXI@Z
+??0HashChangeEventInit@dom@mozilla@@QAE@XZ
+?CreateInterfaceObjects@HTMLVideoElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@HashChangeEvent@dom@mozilla@@SA?AU?$already_AddRefed@VHashChangeEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUHashChangeEventInit@23@@Z
+?CreateInterfaceObjects@HashChangeEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetSelectionStart@HTMLInputElement@dom@mozilla@@QAE?AU?$Nullable@I@23@AAVErrorResult@3@@Z
+?GetSelectionRange@TextControlState@mozilla@@QAEXPAI0AAVErrorResult@2@@Z
+?GetSelectionEnd@HTMLInputElement@dom@mozilla@@QAE?AU?$Nullable@I@23@AAVErrorResult@3@@Z
+?NotifyOfReFocus@nsFocusManager@@QAEXAAVnsIContent@@@Z
+?emitPackedArrayPopResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?packedArrayPop@MacroAssembler@jit@js@@QAEXURegister@23@VValueOperand@23@00PAVLabel@23@@Z
+?PreventDefault@Event@dom@mozilla@@UAEXPAUJSContext@@W4CallerType@23@@Z
+?PreventDefaultInternal@Event@dom@mozilla@@QAEX_NPAVnsIPrincipal@@@Z
+?PreventDefault@WidgetEvent@mozilla@@QAEX_NPAVnsIPrincipal@@@Z
+?emitTruncateDoubleToUInt32@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@VInt32OperandId@23@@Z
+?CreateComment@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VComment@dom@mozilla@@@@ABV?$nsTSubstring@_S@@@Z
+?WrapNode@Comment@dom@mozilla@@MAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Comment_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVComment@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Comment_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateTextNode@Document@dom@mozilla@@QBE?AU?$already_AddRefed@VnsTextNode@@@@ABV?$nsTSubstring@_S@@@Z
+?emitLoadDOMExpandoValueIgnoreGeneration@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VValOperandId@23@@Z
+?SetNodeValueInternal@CharacterData@dom@mozilla@@UAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?SetTextContentInternal@CharacterData@dom@mozilla@@UAEXABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVErrorResult@3@@Z
+?TypeOfObject@jit@js@@YAPAVJSString@@PAVJSObject@@PAUJSRuntime@@@Z
+?TypeOfObject@js@@YA?AW4JSType@@PAVJSObject@@@Z
+?update@IonHasOwnIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@3PAH@Z
+?typePolicy@MCallSetElement@jit@js@@UAEPBVTypePolicy@23@XZ
+?typePolicy@MSetPropertyCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?computeRange@MSub@jit@js@@UAEXAAVTempAllocator@23@@Z
+?fallible@MSub@jit@js@@QBE_NXZ
+?visitSubI@CodeGenerator@jit@js@@AAEXPAVLSubI@23@@Z
+?subl@AssemblerX86Shared@jit@js@@QAEXUImm32@23@ABVOperand@23@@Z
+?update@IonSetPropertyIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@PAVJSObject@@@6@V?$Handle@VValue@JS@@@6@4@Z
+?SetProperty@jit@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@PAVPropertyName@js@@@5@V?$Handle@VValue@JS@@@5@_NPAE@Z
+?useConstantOrRegister@CacheRegisterAllocator@jit@js@@QAE?AVConstantOrRegister@23@AAVMacroAssembler@23@VValOperandId@23@@Z
+??$storeConstantOrRegister@UAddress@jit@js@@@MacroAssembler@jit@js@@QAEXABVConstantOrRegister@12@ABUAddress@12@@Z
+?foldsTo@MIsArray@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?congruentTo@MToDouble@jit@js@@UBE_NPBVMDefinition@23@@Z
+?updateForReplacement@MPhi@jit@js@@UAE_NPAVMDefinition@23@@Z
+?foldsTo@MGuardNullOrUndefined@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?getSuccessorIndex@MBasicBlock@jit@js@@QBEIPAV123@@Z
+?replaceSuccessor@MTableSwitch@jit@js@@UAEXIPAVMBasicBlock@23@@Z
+?typePolicy@MTableSwitch@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MPopcnt@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?typePolicy@MFinishBoundFunctionInit@jit@js@@UAEPBVTypePolicy@23@XZ
+?newLTableSwitch@LIRGeneratorX86Shared@jit@js@@IAEPAVLTableSwitch@23@ABVLAllocation@23@ABVLDefinition@23@PAVMTableSwitch@23@@Z
+?emitTableSwitchDispatch@CodeGeneratorX86Shared@jit@js@@IAEXPAVMTableSwitch@23@URegister@23@1@Z
+?loadFunctionLength@MacroAssembler@jit@js@@QAEXURegister@23@00PAVLabel@23@@Z
+?accept@OutOfLineTableSwitch@jit@js@@EAEXPAVCodeGeneratorX86Shared@23@@Z
+?visitOutOfLineTableSwitch@CodeGeneratorX86Shared@jit@js@@QAEXPAVOutOfLineTableSwitch@23@@Z
+?NewCallObject@jit@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVShape@js@@@JS@@V?$Handle@PAVObjectGroup@js@@@6@@Z
+?create@CallObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVShape@js@@@JS@@V?$Handle@PAVObjectGroup@js@@@5@@Z
+?generateRegExpMatcherStub@JitRealm@jit@js@@AAEPAVJitCode@23@PAUJSContext@@@Z
+?addToCharPtr@MacroAssembler@jit@js@@QAEXURegister@23@0W4CharEncoding@23@@Z
+?loadNonInlineStringChars@MacroAssembler@jit@js@@QAEXURegister@23@0W4CharEncoding@23@@Z
+?storeNonInlineStringChars@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?storeDependentStringBase@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+?loadDependentStringBase@MacroAssembler@jit@js@@QAEXURegister@23@0@Z
+??$storeValue@UBaseObjectElementIndex@jit@js@@@MacroAssemblerX86@jit@js@@QAEXABVValue@JS@@ABUBaseObjectElementIndex@12@@Z
+?typePolicy@MSubstr@jit@js@@UAEPBVTypePolicy@23@XZ
+?computeRange@MBitOr@jit@js@@UAEXAAVTempAllocator@23@@Z
+?foldIfAllBitsSet@MBitAnd@jit@js@@UAEPAVMDefinition@23@I@Z
+?replaceAllLiveUsesWith@MDefinition@jit@js@@QAEXPAV123@@Z
+?visitSubstr@LIRGenerator@jit@js@@AAEXPAVMSubstr@23@@Z
+?writeRecoverData@MBitAnd@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?foldsTo@MToIntegerInt32@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MToIntegerInt32@jit@js@@UAEXAAVTempAllocator@23@@Z
+?typePolicy@MCreateThis@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MStringLength@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MStringLength@jit@js@@UAEXAAVTempAllocator@23@@Z
+?maybeIsOptimizedArguments@MGuardNotOptimizedArguments@jit@js@@SA_NPAVMDefinition@23@@Z
+?typePolicy@MArrayJoin@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardNotOptimizedArguments@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MArrayJoin@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?needTruncation@MLimitedTruncate@jit@js@@UAE_NW4TruncateKind@MDefinition@23@@Z
+?operandTruncateKind@MLimitedTruncate@jit@js@@UBE?AW4TruncateKind@MDefinition@23@I@Z
+?congruentTo@MToString@jit@js@@UBE_NPBVMDefinition@23@@Z
+?visitDouble@CodeGenerator@jit@js@@AAEXPAVLDouble@23@@Z
+?loadConstantDouble@MacroAssemblerX86@jit@js@@QAEXNUFloatRegister@23@@Z
+??$getConstant@U?$Constant@N@MacroAssemblerX86Shared@jit@js@@V?$HashMap@NIU?$DefaultHasher@NX@mozilla@@VSystemAllocPolicy@js@@@mozilla@@@MacroAssemblerX86Shared@jit@js@@IAEPAU?$Constant@N@012@ABNAAV?$HashMap@NIU?$DefaultHasher@NX@mozilla@@VSystemAllocPolicy@js@@@mozilla@@AAV?$Vector@U?$Constant@N@MacroAssemblerX86Shared@jit@js@@$0A@VSystemAllocPolicy@4@@5@@Z
+?twoByteOpSimd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4TwoByteOpcodeID@234@PBXW4XMMRegisterID@234@4@Z
+?visitCompareDAndBranch@CodeGenerator@jit@js@@AAEXPAVLCompareDAndBranch@23@@Z
+?foldsTo@MMul@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?GetDefaultScaleInternal@nsIWidget@@UAENXZ
+?congruentTo@MMul@jit@js@@UBE_NPBVMDefinition@23@@Z
+?foldsTo@MTruncateToInt32@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MRandom@jit@js@@UAEXAAVTempAllocator@23@@Z
+?computeRange@MMul@jit@js@@UAEXAAVTempAllocator@23@@Z
+?computeRange@MTruncateToInt32@jit@js@@UAEXAAVTempAllocator@23@@Z
+?collectRangeInfoPreTrunc@MMul@jit@js@@UAEXXZ
+?needTruncation@MToDouble@jit@js@@UAE_NW4TruncateKind@MDefinition@23@@Z
+?truncate@MToDouble@jit@js@@UAEXXZ
+?GetAllocationSize@MemoryBlobImpl@dom@mozilla@@UBEIAAV?$FallibleTArray@PAVBlobImpl@dom@mozilla@@@@@Z
+?canRecoverOnBailout@MTruncateToInt32@jit@js@@UBE_NXZ
+?analyzeEdgeCasesForward@MMul@jit@js@@UAEXXZ
+?analyzeEdgeCasesBackward@MDiv@jit@js@@UAEXXZ
+??$lowerForFPU@$0A@@LIRGeneratorX86Shared@jit@js@@IAEXPAV?$LInstructionHelper@$00$01$0A@@12@PAVMDefinition@12@11@Z
+?lowerTruncateDToInt32@LIRGeneratorX86Shared@jit@js@@IAEXPAVMTruncateToInt32@23@@Z
+?visitMathD@CodeGenerator@jit@js@@AAEXPAVLMathD@23@@Z
+?visitTruncateDToInt32@CodeGenerator@jit@js@@AAEXPAVLTruncateDToInt32@23@@Z
+?writeRecoverData@MBitOr@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?orl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?accept@OutOfLineTruncate@jit@js@@UAEXPAVCodeGeneratorX86@23@@Z
+?visitOutOfLineTruncate@CodeGeneratorX86@jit@js@@QAEXPAVOutOfLineTruncate@23@@Z
+?truncateDoubleToInt64@MacroAssembler@jit@js@@QAEXUAddress@23@0URegister@23@@Z
+??$PostWriteElementBarrier@$00@jit@js@@YAXPAUJSRuntime@@PAVJSObject@@H@Z
+?newLTableSwitchV@LIRGeneratorX86Shared@jit@js@@IAEPAVLTableSwitchV@23@PAVMTableSwitch@23@@Z
+?profiler_suspend_and_sample_thread@@YAXHIAAVProfilerStackCollector@@_N@Z
+?IsProfilingEnabledForContext@JS@@YA_NPAUJSContext@@@Z
+??0HangEntry@mozilla@@QAE@ABV?$nsTString@D@@@Z
+??0HangEntry@mozilla@@QAE@$$QAV01@@Z
+?script@ProfilingStackFrame@js@@QBEPAVJSScript@@XZ
+?JS_GetScriptPrincipals@@YAPAUJSPrincipals@@PAVJSScript@@@Z
+??0HangEntry@mozilla@@QAE@$$QAVHangEntryContent@1@@Z
+?CollectCPUUsage@CPUUsageWatcher@mozilla@@QAE?AV?$Result@UOk@mozilla@@W4CPUUsageWatcherError@2@@2@XZ
+?AddAnnotation@BackgroundHangAnnotations@mozilla@@QAEXABV?$nsTString@_S@@_N@Z
+?Assign@?$nsTSubstring@_S@@QAIX$$QAV1@@Z
+?AnnotateHang@CPUUsageWatcher@mozilla@@UAEXAAVBackgroundHangAnnotations@2@@Z
+?FinishUserInteraction@Timers@telemetry@mozilla@@QAE_NPAUJSContext@@ABV?$nsTSubstring@_S@@V?$Handle@PAVJSObject@@@JS@@ABV?$Optional@V?$nsTSubstring@D@@@dom@3@@Z
+?collectRangeInfoPreTrunc@MLoadElementHole@jit@js@@UAEXXZ
+?XRE_GetProcessTypeString@@YAPBDXZ
+?XRE_GeckoProcessTypeToString@@YAPBDW4GeckoProcessType@@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@VHangEntry@mozilla@@@?$nsTArray_Impl@VHangEntry@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBVHangEntry@mozilla@@I@Z
+??0HangEntry@mozilla@@QAE@ABV01@@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@C@?$nsTArray_Impl@CUnsTArrayInfallibleAllocator@@@@AAEXPBCI@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@VHangModule@mozilla@@@?$nsTArray_Impl@VHangModule@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBVHangModule@mozilla@@I@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@VHangAnnotation@mozilla@@@?$nsTArray_Impl@VHangAnnotation@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBVHangAnnotation@mozilla@@I@Z
+?AddSizeOfExcludingThis@?$nsPresArena@$0IAAA@W4DisplayListArenaObjectId@mozilla@@$0FJ@@@QBEXAAVnsWindowSizes@@W4ArenaKind@1@@Z
+??$UnregisterCallbackImpl@PAPBD@Preferences@mozilla@@CA?AW4nsresult@@P6AXPBDPAX@ZAAPAPBD1W4MatchKind@01@@Z
+??_GnsRefreshDriver@@UAEPAXI@Z
+??1nsRefreshDriver@@UAE@XZ
+?APZWheelActionFor@EventStateManager@mozilla@@SA?AV?$Maybe@W4APZWheelAction@layers@mozilla@@@2@PBVWidgetWheelEvent@2@@Z
+?DeleteCycleCollectable@cycleCollection@WorkletGlobalScope@dom@mozilla@@UAGXPAX@Z
+?GetGlobalJSObjectPreserveColor@WorkletGlobalScope@dom@mozilla@@UBEPAVJSObject@@XZ
+??1nsIGlobalObject@@MAE@XZ
+??_GWindowGlobalParent@dom@mozilla@@EAEPAXI@Z
+??1WindowGlobalParent@dom@mozilla@@EAE@XZ
+??1WindowContext@dom@mozilla@@MAE@XZ
+?NewBodyAttributes@nsHtml5PlainTextUtils@@SAPAVnsHtml5HtmlAttributes@@XZ
+?Traverse@AbortFollower@dom@mozilla@@KAXPAV123@AAVnsCycleCollectionTraversalCallback@@@Z
+?DeleteCycleCollectable@cycleCollection@DOMEventTargetHelper@mozilla@@UAGXPAX@Z
+?DeleteCycleCollectable@DOMEventTargetHelper@mozilla@@UAGXXZ
+?GetDebuggerNotificationType@EventTarget@dom@mozilla@@UBE?AV?$Maybe@W4EventCallbackDebuggerNotificationType@dom@mozilla@@@3@XZ
+??1DOMEventTargetHelper@mozilla@@MAE@XZ
+??0JSPurpleBuffer@@QAE@AAV?$RefPtr@VJSPurpleBuffer@@@@@Z
+??1Impl@AttrArray@@QAE@XZ
+?RemoveAttrAt@nsMappedAttributes@@QAEXIAAVnsAttrValue@@@Z
+?RecvGetReady@ServiceWorkerContainerParent@dom@mozilla@@EAE?AVIPCResult@ipc@3@ABVIPCClientInfo@23@$$QAV?$function@$$A6AXABVIPCServiceWorkerRegistrationDescriptorOrCopyableErrorResult@dom@mozilla@@@Z@std@@@Z
+??0nsXULControllers@@QAE@XZ
+?s_ClearEntry@?$nsTHashtable@V?$nsBaseHashtableET@VnsCStringHashKey@@V?$nsCOMPtr@VmozIStorageStatement@@@@@@@@KAXPAVPLDHashTable@@PAUPLDHashEntryHdr@@@Z
+?CreateInterfaceObjects@PopupBlockedEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?UnmarkGrayJSListenersInCCGenerationDocuments@nsContentUtils@@SAXXZ
+?Release@nsHangDetails@mozilla@@UAGKXZ
+?Button@MouseEvent@dom@mozilla@@QAEFXZ
+?ScreenX@MouseEvent@dom@mozilla@@QAEHW4CallerType@23@@Z
+?ScreenY@MouseEvent@dom@mozilla@@QAEHW4CallerType@23@@Z
+?ClientX@MouseEvent@dom@mozilla@@QAEHXZ
+?ClientY@MouseEvent@dom@mozilla@@QAEHXZ
+?CtrlKey@MouseEvent@dom@mozilla@@QAE_NXZ
+?ShiftKey@MouseEvent@dom@mozilla@@QAE_NXZ
+?AltKey@MouseEvent@dom@mozilla@@QAE_NXZ
+?MetaKey@MouseEvent@dom@mozilla@@QAE_NXZ
+?Buttons@MouseEvent@dom@mozilla@@QAEGXZ
+?GetRelatedTarget@MouseEvent@dom@mozilla@@QAE?AU?$already_AddRefed@VEventTarget@dom@mozilla@@@@XZ
+?PageX@MouseEvent@dom@mozilla@@QBEHXZ
+?PageY@MouseEvent@dom@mozilla@@QBEHXZ
+?maybeForwardedScript@JSJitFrameIter@jit@js@@QBEPAVJSScript@@XZ
+?MaybeForwardedScriptFromCalleeToken@jit@js@@YAPAVJSScript@@PAX@Z
+?GetEnumString@nsAttrValue@@QBEXAAV?$nsTSubstring@_S@@_N@Z
+?reset@IonIC@jit@js@@QAEXPAVZone@JS@@PAVIonScript@23@@Z
+?InvalidationPatchPoint@SafepointReader@jit@js@@SA?AVCodeLocationLabel@23@PAVIonScript@23@PBVSafepointIndex@23@@Z
+?InvalidationBailout@jit@js@@YA_NPAVInvalidationBailoutStack@12@PAIPAPAUBaselineBailoutInfo@12@@Z
+??0BailoutFrameInfo@jit@js@@QAE@ABVJitActivationIterator@12@PAVInvalidationBailoutStack@12@@Z
+?getOsiIndex@IonScript@jit@js@@QBEPBVOsiIndex@23@PAE@Z
+?numActualArgs@JSJitFrameIter@jit@js@@QBEIXZ
+?actualArgs@JSJitFrameIter@jit@js@@QBEPAVValue@JS@@XZ
+?typePolicy@MInstanceOfCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?update@IonInstanceOfIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@V?$Handle@PAVJSObject@@@6@PA_N@Z
+?loadDOMExpandoValueGuardGeneration@MacroAssembler@jit@js@@QAEXURegister@23@VValueOperand@23@PAUExpandoAndGeneration@JS@@_KPAVLabel@23@@Z
+?Push@MacroAssembler@jit@js@@QAEXUPropertyKey@JS@@URegister@23@@Z
+?typePolicy@MApplyArray@jit@js@@UAEPBVTypePolicy@23@XZ
+?useBoxFixed@LIRGeneratorX86@jit@js@@IAE?AVLBoxAllocation@23@PAVMDefinition@23@URegister@23@1_N@Z
+?subFromStackPtr@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?freeStack@MacroAssembler@jit@js@@QAEXURegister@23@@Z
+?getOperand@?$MVariadicT@VMInstruction@jit@js@@@jit@js@@UBEPAVMDefinition@23@I@Z
+?QueryInterface@nsHangDetails@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetDuration@nsHangDetails@mozilla@@UAG?AW4nsresult@@PAN@Z
+?GetThread@nsHangDetails@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetRunnableName@nsHangDetails@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetStack@nsHangDetails@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?JS_DefineElement@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@IV?$Handle@PAVJSString@@@3@I@Z
+?GetFilePath@nsSimpleURI@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetAnnotations@nsHangDetails@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?GetWasPersisted@nsHangDetails@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?DivValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitDoubleDivResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@0@Z
+?emitCallNumberToString@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@VStringOperandId@23@@Z
+?optimizedOutConstant@MBasicBlock@jit@js@@QAEPAVMConstant@23@AAVTempAllocator@23@@Z
+?ProxySetProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@_N@Z
+?NumberToStringPure@js@@YAPAVJSString@@PAUJSContext@@N@Z
+??$NumberToString@$0A@@js@@YAPAVJSString@@PAUJSContext@@N@Z
+??0ViewportMetaData@dom@mozilla@@QAE@ABV?$nsTSubstring@_S@@@Z
+??$TrimWhitespace@$1?IsAsciiSpace@nsCRT@@SA_N_S@Z@nsContentUtils@@SA?BV?$nsTDependentSubstring@_S@@ABV?$nsTSubstring@_S@@_N@Z
+?AddMetaViewportElement@Document@dom@mozilla@@QAEXPAVHTMLMetaElement@23@$$QAUViewportMetaData@23@@Z
+?appendSubstring@StringBuffer@js@@QAE_NPAVJSLinearString@@II@Z
+?argumentsOptimizationFailed@JSScript@@SAXPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?AddPendingInvalidation@jit@js@@YAXAAV?$GCVector@VRecompileInfo@jit@js@@$00VSystemAllocPolicy@3@@JS@@PAVJSScript@@@Z
+?hasHash@?$MovableCellHasher@PAVBaseScript@js@@@js@@SA_NABQAVBaseScript@2@@Z
+?SetFrameArgumentsObject@js@@YAXPAUJSContext@@VAbstractFramePtr@1@V?$Handle@PAVJSScript@@@JS@@PAVJSObject@@@Z
+?MarkScopesForCC@nsMessageManagerScriptExecutor@@QAEXXZ
+?MarkForCC@nsFrameMessageManager@@QAEXXZ
+?QueryInterface@nsContentList@@WEM@AG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsAttrChildContentList@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?GetBaseURIForStyleAttr@nsIContent@@QBEPAVnsIURI@@XZ
+?Unlink@TextControlState@mozilla@@QAEXXZ
+?ExcludeNonSelectableNodes@nsRange@@QAEXPAV?$nsTArray@V?$RefPtr@VnsRange@@@@@@@Z
+?DeleteCycleCollectedJSContext@WorkletThread@dom@mozilla@@SAXXZ
+?Disconnect@MediaQueryList@dom@mozilla@@QAEXXZ
+?NewBodyAttributes@nsHtml5ViewSourceUtils@@SAPAVnsHtml5HtmlAttributes@@XZ
+?IsCertainlyAliveForCC@XMLHttpRequestMainThread@dom@mozilla@@UBE_NXZ
+??0nsBMPEncoder@@QAE@XZ
+?NS_NewDOMTimeEvent@@YA?AU?$already_AddRefed@VTimeEvent@dom@mozilla@@@@PAVEventTarget@dom@mozilla@@PAVnsPresContext@@PAVInternalSMILTimeEvent@4@@Z
+?emitBooleanToString@CacheIRCompiler@jit@js@@IAE_NVBooleanOperandId@23@VStringOperandId@23@@Z
+?update@IonBinaryArithIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@3V?$MutableHandle@VValue@JS@@@6@@Z
+?storeRegsInMask@MacroAssembler@jit@js@@QAEXV?$LiveSet@VRegisterSet@jit@js@@@23@UAddress@23@URegister@23@@Z
+?typePolicy@MInstanceOf@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardObjectIdentity@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?ensureHasSlots@MBasicBlock@jit@js@@QAE_NI@Z
+?DisableCompositorVsyncDispatcher@Display@VsyncSource@gfx@mozilla@@QAEXPAVCompositorVsyncDispatcher@4@@Z
+??1nsFontMetrics@@AAE@XZ
+??_GgfxFontGroup@@UAEPAXI@Z
+??1gfxFontGroup@@UAE@XZ
+??_GnsHtml5TreeOpExecutor@@MAEPAXI@Z
+??1nsHtml5TreeOpExecutor@@MAE@XZ
+??1nsHtml5DocumentBuilder@@MAE@XZ
+?UnmarkGrayStrongObservers@nsObserverService@@UAG?AW4nsresult@@XZ
+?AppendStrongObservers@nsObserverList@@QAEXAAV?$nsCOMArray@VnsIObserver@@@@@Z
+?Dispatch@CryptoTask@mozilla@@QAE?AW4nsresult@@XZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@AAPAVStyleSheet@mozilla@@@?$nsTArray_Impl@V?$RefPtr@VStyleSheet@mozilla@@@@UnsTArrayInfallibleAllocator@@@@AAEPAV?$RefPtr@VStyleSheet@mozilla@@@@AAPAVStyleSheet@mozilla@@@Z
+?Unregister@MemoryPressureObserver@layers@mozilla@@QAEXXZ
+?QueryInterface@ExpirationTrackerObserver@?$ExpirationTrackerImpl@VActiveResource@layers@mozilla@@$02VPlaceholderLock@detail@@VPlaceholderAutoLock@5@@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?EnableSensorNotifications@hal_impl@mozilla@@YAXW4SensorType@hal@2@@Z
+?QueryInterface@AsyncCompileShutdownObserver@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@nsBaseWidget@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?MozCaptureStreamUntilEnded@HTMLMediaElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMMediaStream@mozilla@@@@AAVErrorResult@3@@Z
+??0FilterPrimitiveDescription@gfx@mozilla@@QAE@XZ
+?QueryInterface@WorkerDebuggerManager@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AppendFeatureValueHashEntry@gfxFontFeatureValueSet@@QAEPAV?$nsTArray@I@@ABV?$nsTSubstring@D@@PAVnsAtom@@I@Z
+?AddMarkerForDocShell@TimelineConsumers@mozilla@@QAEXPAVnsIDocShell@@$$QAV?$UniquePtr@VAbstractTimelineMarker@mozilla@@V?$DefaultDelete@VAbstractTimelineMarker@mozilla@@@2@@2@@Z
+?EnsureShutdownWriteComplete@StartupCache@scache@mozilla@@QAEXXZ
+?IsOpaque@gfxPattern@@QAE_NXZ
+??$DeserializeArguments@$0A@$$V@?$MarkerTypeSerialization@UTracing@markers@baseprofiler@mozilla@@@base_profiler_markers_detail@mozilla@@CAXAAVProfileBufferEntryReader@2@AAVSpliceableJSONWriter@baseprofiler@2@@Z
+?SetAuthEntry@nsHttpAuthCache@net@mozilla@@QAE?AW4nsresult@@PBD0H0000ABV?$nsTSubstring@D@@PBVnsHttpAuthIdentity@23@PAVnsISupports@@@Z
+?addEdge@SimpleEdgeRange@ubi@JS@@QAE_NVEdge@23@@Z
+??4HangEntry@mozilla@@QAEAAV01@ABVHangEntryModOffset@1@@Z
+?writeRecoverData@MConcat@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?JS_DefineElement@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@III@Z
+?JS_NewStringCopyN@@YAPAVJSString@@PAUJSContext@@PBDI@Z
+_ZN11parking_lot10raw_rwlock9RawRwLock21unlock_exclusive_slow17h9244f4f1771f6969E
+_ZN16parking_lot_core11parking_lot16with_thread_data11THREAD_DATA7__getit17h43c9e7322dc763eaE
+_ZN16parking_lot_core11parking_lot16create_hashtable17h9acf3f97859d681cE
+_ZN59_$LT$gfx_auxil..ShaderStage$u20$as$u20$core..fmt..Debug$GT$3fmt17hed83478e8df377a7E
+_ZN16parking_lot_core11parking_lot10ThreadData3new17h9281508df1cdfc24E
+?UnmarkSkippableJSHolders@CycleCollectedJSRuntime@mozilla@@IAEXXZ
+?foldsTo@MGuardIsNotProxy@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?ConditionallyStopPruneDeadConnectionsTimer@nsHttpConnectionMgr@net@mozilla@@AAEXXZ
+?EndIdleMonitoring@nsHttpConnection@net@mozilla@@QAEXXZ
+?InsertIntoActiveConns@ConnectionEntry@net@mozilla@@QAEXPAVHttpConnectionBase@23@@Z
+?SetSecurityCallbacks@HttpConnectionBase@net@mozilla@@QAEXPAVnsIInterfaceRequestor@@@Z
+?ConnectionInfo@nsHttpTransaction@net@mozilla@@UAEPAVnsHttpConnectionInfo@23@XZ
+?IncrementHttpTransaction@HttpTrafficAnalyzer@net@mozilla@@QAEXW4HttpTrafficCategory@23@@Z
+?SetTrafficCategory@ConnectionHandle@net@mozilla@@UAEXW4HttpTrafficCategory@23@@Z
+?SetTrafficCategory@HttpConnectionBase@net@mozilla@@QAEXW4HttpTrafficCategory@23@@Z
+?AddActiveTransaction@nsHttpConnectionMgr@net@mozilla@@QAEXPAVnsHttpTransaction@23@@Z
+?ReadSegmentsAgain@nsAHttpTransaction@net@mozilla@@UAE?AW4nsresult@@PAVnsAHttpSegmentReader@23@IPAIPA_N@Z
+?SetDNSWasRefreshed@nsHttpTransaction@net@mozilla@@UAEXXZ
+?GetSecurityInfo@ConnectionHandle@net@mozilla@@UAEXPAPAVnsISupports@@@Z
+?ActivateNativeMenuItemAt@nsBaseWidget@@UAE?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?Transport@ConnectionHandle@net@mozilla@@UAEPAVnsISocketTransport@@XZ
+?ResolvedByTRR@nsSocketTransport@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?ReadTimeoutTick@nsHttpConnection@net@mozilla@@QAEII@Z
+?IsDone@nsHttpTransaction@net@mozilla@@UAE_NXZ
+?CloseTransaction@ConnectionHandle@net@mozilla@@UAEXPAVnsAHttpTransaction@23@W4nsresult@@@Z
+?IncrementHttpConnection@HttpTrafficAnalyzer@net@mozilla@@QAEX$$QAV?$nsTArray@W4HttpTrafficCategory@net@mozilla@@@@@Z
+?AttachShutdownLayer@net@mozilla@@YA?AW4nsresult@@PAUPRFileDesc@@@Z
+?DoListAddresses@net@mozilla@@YA?AW4nsresult@@AAV?$nsDataHashtable@VnsCStringHashKey@@V?$nsTString@D@@@@@Z
+?AttachStreamFilter@DocumentLoadListener@net@mozilla@@QAE?AV?$RefPtr@V?$MozPromise@V?$Endpoint@VPStreamFilterChild@extensions@mozilla@@@ipc@mozilla@@_N$00@mozilla@@@@K@Z
+?KeepWhenOffline@nsASocketHandler@@UAEXPA_N@Z
+?IntegrityMetadata@SRICheck@dom@mozilla@@SA?AW4nsresult@@ABV?$nsTSubstring@_S@@ABV?$nsTSubstring@D@@PAVnsIConsoleReportCollector@@PAVSRIMetadata@23@@Z
+??0SRICheckDataVerifier@dom@mozilla@@QAE@ABVSRIMetadata@12@ABV?$nsTSubstring@D@@PAVnsIConsoleReportCollector@@@Z
+?DispatchedAsBlocking@nsHttpTransaction@net@mozilla@@QAEXXZ
+?ProcessPendingQ@nsHttpConnectionMgr@net@mozilla@@UAE?AW4nsresult@@XZ
+?Update@SRICheckDataVerifier@dom@mozilla@@QAE?AW4nsresult@@IPBE@Z
+?Verify@SRICheckDataVerifier@dom@mozilla@@QAE?AW4nsresult@@ABVSRIMetadata@23@PAVnsIChannel@@ABV?$nsTSubstring@D@@PAVnsIConsoleReportCollector@@@Z
+?Base64Decode@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV3@@Z
+?Base64Encode@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@_S@@AAV3@@Z
+?GetInnerWindowID@nsContentUtils@@SA_KPAVnsIRequest@@@Z
+?ExportDataSummary@SRICheckDataVerifier@dom@mozilla@@QAE?AW4nsresult@@IPAE@Z
+?SetDeadline@IdleTaskRunner@mozilla@@UAEXVTimeStamp@2@@Z
+??1IdleTaskRunner@mozilla@@EAE@XZ
+?VectorDifference_SSE2_W32@webrtc@@YA_NPBE0@Z
+??0IdleDeadline@dom@mozilla@@QAE@PAVnsIGlobalObject@@_NN@Z
+?Call@IdleRequestCallback@dom@mozilla@@AAEXAAVBindingCallContext@23@V?$Handle@VValue@JS@@@JS@@AAVIdleDeadline@23@AAVErrorResult@3@@Z
+?WrapObject@IdleDeadline@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@IdleDeadline_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVIdleDeadline@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@IdleDeadline_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?freshenLexicalEnvironment@InterpreterFrame@js@@QAE_NPAUJSContext@@@Z
+?clone@LexicalEnvironmentObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVLexicalEnvironmentObject@js@@@JS@@@Z
+?RegExpGetSubstitution@js@@YA_NPAUJSContext@@V?$Handle@PAVArrayObject@js@@@JS@@V?$Handle@PAVJSLinearString@@@4@I2IV?$Handle@VValue@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+??$js_strchr_limit@E@@YAPBEPBE_S0@Z
+?Stub8@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?Stub10@nsXPTCStubBase@@UAG?AW4nsresult@@XZ
+?appendN@StringBuffer@js@@QAE_NEI@Z
+?Reflect_isExtensible@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?QuoteString@js@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@PBVParserAtom@frontend@1@D@Z
+??$QuoteString@$0A@_S@js@@YA_NPAVSprinter@0@V?$Range@$$CB_S@mozilla@@D@Z
+?ReduceTimePrecisionAsSecs@nsRFPService@mozilla@@SANN_J_N1@Z
+?SetValueMissingState@DocumentOrShadowRoot@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@_N@Z
+?Wrap@DocumentType_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDocumentType@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@DocumentType_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?append@ElementAdder@js@@QAE_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?NS_NewHTMLFieldSetElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0nsGenericHTMLFormElement@@QAE@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@E@Z
+?UpdateValidity@HTMLFieldSetElement@dom@mozilla@@QAEX_N@Z
+?Wrap@HTMLFieldSetElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLFieldSetElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLFieldSetElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$destroy@V?$Variant@UDDNoValue@mozilla@@VDDLogObject@2@PBD$$CBV?$nsTString@D@@_NCEFGHI_J_KNUDDRange@2@W4nsresult@@VMediaResult@2@@mozilla@@@?$VariantImplementation@E$0P@W4nsresult@@VMediaResult@mozilla@@@detail@mozilla@@SAXAAV?$Variant@UDDNoValue@mozilla@@VDDLogObject@2@PBD$$CBV?$nsTString@D@@_NCEFGHI_J_KNUDDRange@2@W4nsresult@@VMediaResult@2@@2@@Z
+?GetType@HTMLFieldSetElement@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?NS_NewHTMLSelectElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+??0HTMLOptionsCollection@dom@mozilla@@QAE@PAVHTMLSelectElement@12@@Z
+?GetValue@HTMLSelectElement@dom@mozilla@@QAEXAAVDOMString@23@@Z
+?AddElement@HTMLFieldSetElement@dom@mozilla@@QAEXPAVnsGenericHTMLFormElement@@@Z
+?FieldSetDisabledChanged@nsGenericHTMLFormElement@@UAEX_N@Z
+?NS_NewHTMLOptionElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?Index@HTMLOptionElement@dom@mozilla@@QAEHXZ
+?GetText@HTMLOptionElement@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetAutocomplete@HTMLSelectElement@dom@mozilla@@QAEXAAVDOMString@23@@Z
+??0SafeOptionListMutation@dom@mozilla@@QAE@PAVnsIContent@@00I_N@Z
+?InsertRow@HTMLTableSectionElement@dom@mozilla@@QAE?AU?$already_AddRefed@VnsGenericHTMLElement@@@@HAAVErrorResult@3@@Z
+?SetOptionsSelectedByIndex@HTMLSelectElement@dom@mozilla@@QAE_NHHI@Z
+??1SafeOptionListMutation@dom@mozilla@@QAE@XZ
+?GetUnsignedIntAttr@nsGenericHTMLElement@@IBEIPAVnsAtom@@I@Z
+?IsOptionDisabled@HTMLSelectElement@dom@mozilla@@QBE_NPAVHTMLOptionElement@23@@Z
+?SetSelectedInternal@HTMLOptionElement@dom@mozilla@@QAEX_N0@Z
+?Length@nsContentList@@QAEI_N@Z
+?SetPendingException@?$TErrorResult@UJustAssertCleanupPolicy@binding_danger@mozilla@@@binding_danger@mozilla@@AAEXPAUJSContext@@PBD@Z
+?Create@DOMException@dom@mozilla@@SA?AU?$already_AddRefed@VDOMException@dom@mozilla@@@@W4nsresult@@ABV?$nsTSubstring@D@@@Z
+?Rebind@?$nsTString@D@@QAEXPBDI@Z
+?StealJSVal@Exception@dom@mozilla@@QAE_NPAVValue@JS@@@Z
+?GetName@DOMException@dom@mozilla@@QAEXAAV?$nsTString@_S@@@Z
+?Wrap@DOMException_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMException@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?createUnexpected@ArgumentsObject@js@@SAPAV12@PAUJSContext@@VAbstractFramePtr@2@@Z
+?UpdateValueMissingValidityStateForRadio@HTMLInputElement@dom@mozilla@@QAEX_N@Z
+?GetRadioGroupContainer@HTMLInputElement@dom@mozilla@@IBEPAVnsIRadioGroupContainer@@XZ
+?Visit@nsRadioUpdateStateVisitor@@UAE_NPAVnsIFormControl@@@Z
+?Release@TaskbarPreviewCallback@widget@mozilla@@UAGKXZ
+?WillRemoveFromRadioGroup@HTMLInputElement@dom@mozilla@@QAEXXZ
+?AddedToRadioGroup@HTMLInputElement@dom@mozilla@@QAEXXZ
+?GetUncomposedDocOrConnectedShadowRoot@nsINode@@QBEPAVDocumentOrShadowRoot@dom@mozilla@@XZ
+?Clone@HTMLDivElement@dom@mozilla@@UBE?AW4nsresult@@PAVNodeInfo@23@PAPAVnsINode@@@Z
+?BinaryType@WebSocket@dom@mozilla@@QBE?AW4023@XZ
+??$FormatMaybeLocalizedString@V?$nsTAutoStringN@_S$0EA@@@V1@@nsContentUtils@@SA?AW4nsresult@@AAV?$nsTSubstring@_S@@W4PropertiesFile@0@PBDPAVDocument@dom@mozilla@@ABV?$nsTAutoStringN@_S$0EA@@@4@Z
+?Wrap@HTMLTextAreaElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLTextAreaElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLTextAreaElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+_ZN5style10properties10PropertyId12as_shorthand17h252afd0b2249431aE
+Servo_DeclarationBlock_GetPropertyValueById
+_ZN12style_traits6values23SequenceWriter$LT$W$GT$10write_item6before17h3b13351c93b61529E
+?SetCssText@nsDOMCSSDeclaration@@UAEXABV?$nsTSubstring@_S@@PAVnsIPrincipal@@AAVErrorResult@mozilla@@@Z
+?Wrap@HTMLSelectElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLSelectElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLSelectElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetConstructorObject@HTMLQuoteElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?Wrap@HTMLOptionElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLOptionElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLOptionElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?ClearAndRetainStorage@?$nsTArray_Impl@V?$RefPtr@VGamepadTouch@dom@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAEXXZ
+?GetProtocol@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?PrimitiveToProtoKey@js@@YA?AW4JSProtoKey@@PAUJSContext@@ABVValue@JS@@@Z
+?CreateHTMLDocument@DOMImplementation@dom@mozilla@@QAE?AU?$already_AddRefed@VDocument@dom@mozilla@@@@ABV?$Optional@V?$nsTSubstring@_S@@@23@AAVErrorResult@3@@Z
+?GetDoctype@Document@dom@mozilla@@QBEPAVDocumentType@23@XZ
+?SetArenaAllocator@nsNodeInfoManager@@QAEXPAVDOMArena@dom@mozilla@@@Z
+?NS_NewHTMLFormElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?GetSupportedNames@HTMLFormControlsCollection@dom@mozilla@@UAEXAAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?RequestSubmit@HTMLFormElement@dom@mozilla@@QAEXPAVnsGenericHTMLElement@@AAVErrorResult@3@@Z
+?FireNodeInserted@FragmentOrElement@dom@mozilla@@SAXPAVDocument@23@PAVnsINode@@AAV?$nsTArray@V?$nsCOMPtr@VnsIContent@@@@@@@Z
+?GetInstallTrigger@nsGlobalWindowInner@@QAEPAVInstallTriggerImpl@dom@mozilla@@XZ
+?ConstructJSImplementation@dom@mozilla@@YAXPBDPAVnsIGlobalObject@@V?$MutableHandle@PAVJSObject@@@JS@@AAVErrorResult@2@@Z
+?AddWeakMessageListener@nsFrameMessageManager@@QAEXABV?$nsTSubstring@_S@@AAVMessageListener@dom@mozilla@@AAVErrorResult@5@@Z
+?ToXPCOMCallback@CallbackObjectHolderBase@dom@mozilla@@IBE?AU?$already_AddRefed@VnsISupports@@@@PAVCallbackObject@23@ABUnsID@@@Z
+??0InstallTriggerImpl@dom@mozilla@@QAE@V?$Handle@PAVJSObject@@@JS@@0PAVnsIGlobalObject@@@Z
+?WrapObject@InstallTriggerImpl@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?CreateInterfaceObjects@InstallTriggerImpl_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?substring@ScriptSource@js@@QAEPAVJSLinearString@@PAUJSContext@@II@Z
+?emitLoadInt32ArrayLength@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?substringDontDeflate@ScriptSource@js@@QAEPAVJSLinearString@@PAUJSContext@@II@Z
+?CreateInterfaceObjects@MutationObserver_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Constructor@nsDOMMutationObserver@@SA?AU?$already_AddRefed@VnsDOMMutationObserver@@@@ABVGlobalObject@dom@mozilla@@AAVMutationCallback@45@AAVErrorResult@5@@Z
+?Wrap@MutationObserver_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsDOMMutationObserver@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Wrap@MutationEvent_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVMutationEvent@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?Observe@nsDOMMutationObserver@@QAEXAAVnsINode@@ABUMutationObserverInit@dom@mozilla@@AAVnsIPrincipal@@AAVErrorResult@5@@Z
+?LeaveMutationHandling@nsDOMMutationObserver@@SAXXZ
+?Done@nsAutoMutationBatch@@QAEXXZ
+?InsertAdjacentHTML@Element@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@0AAVErrorResult@3@@Z
+?CreateContextualFragment@nsContentUtils@@SA?AU?$already_AddRefed@VDocumentFragment@dom@mozilla@@@@PAVnsINode@@ABV?$nsTSubstring@_S@@_NAAVErrorResult@mozilla@@@Z
+?GetScope@HTMLTableCellElement@dom@mozilla@@QAEXAAVDOMString@23@@Z
+?Wrap@HTMLTableElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLTableElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLTableElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?NS_NewHTMLTableSectionElement@@YAPAVnsGenericHTMLElement@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?CreateElementNS@Document@dom@mozilla@@QAE?AU?$already_AddRefed@VElement@dom@mozilla@@@@ABV?$nsTSubstring@_S@@0ABVElementCreationOptionsOrString@23@AAVErrorResult@3@@Z
+?GetNodeInfoFromQName@nsContentUtils@@SA?AW4nsresult@@ABV?$nsTSubstring@_S@@0PAVnsNodeInfoManager@@GPAPAVNodeInfo@dom@mozilla@@@Z
+?Wrap@SVGSVGElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSVGSVGElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@SVGSVGElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@SVGGraphicsElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@SVGElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@SVGCircleElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSVGCircleElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@SVGCircleElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@SVGGeometryElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?emitMathFloorNumberResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@@Z
+?nearbyIntDouble@MacroAssembler@jit@js@@QAEXW4RoundingMode@23@UFloatRegister@23@1@Z
+?threeByteOpImmSimd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4VexOperandType@234@W4ThreeByteOpcodeID@234@W4ThreeByteEscape@234@IW4XMMRegisterID@234@44@Z
+?remove@?$HashSet@U?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@U?$PointerEdgeHasher@U?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@@234@VSystemAllocPolicy@4@@mozilla@@QAEXABU?$CellPtrEdge@VJSObject@@@StoreBuffer@gc@js@@@Z
+?foldsTo@MBoxNonStrictThis@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+??$storeUnboxedValue@UBaseObjectElementIndex@jit@js@@@MacroAssembler@jit@js@@QAEXABVConstantOrRegister@12@W4MIRType@12@ABUBaseObjectElementIndex@12@1@Z
+?emitLoadFunctionLengthResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?GetQuickCheckDetailsFromLoopEntry@LoopChoiceNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?IsAnchoredAtStart@RegExpCapture@internal@v8@@UAE_NXZ
+?typePolicy@MCharCodeAt@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MCharCodeAt@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MCharCodeAt@jit@js@@UAEXAAVTempAllocator@23@@Z
+?getOperand@MPhi@jit@js@@UBEPAVMDefinition@23@I@Z
+?BitNot@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@1@Z
+?emitInt32NotResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@@Z
+?getOwnEnumerablePropertyKeys@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@5@@Z
+?getOwnEnumerablePropertyKeys@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@5@@Z
+?GetOwnPropertyNames@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@JS@@_NAAVErrorResult@mozilla@@@Z
+?AppendUnique@js@@YA_NPAUJSContext@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@JS@@V?$Handle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@4@@Z
+?codeChars@?$XDRState@$0A@@js@@QAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@PA_SI@Z
+?Accept@RegExpEmpty@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?GetGetterPure@js@@YA_NPAUJSContext@@PAVJSObject@@UPropertyKey@JS@@PAPAVJSFunction@@@Z
+?emitCallNativeGetElementResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?NativeGetElement@js@@YA_NPAUJSContext@@V?$Handle@PAVNativeObject@js@@@JS@@V?$Handle@VValue@JS@@@4@HV?$MutableHandle@VValue@JS@@@4@@Z
+?ToObjectSlowForPropertyAccess@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@H1@Z
+?PrimitiveToObject@js@@YAPAVJSObject@@PAUJSContext@@ABVValue@JS@@@Z
+?create@StringObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@V?$Handle@PAVJSObject@@@5@W4NewObjectKind@2@@Z
+?ToObjectSlow@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@_N@Z
+?GetProtocol@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?emitGuardFunctionIsConstructor@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@@Z
+?ArrayShiftMoveElements@js@@YAXPAVArrayObject@1@@Z
+?ToObjectInternal@FileInfo@dom@mozilla@@QBE_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?Read@IOUtils@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUReadOptions@23@@Z
+?Create@?$TypedArrayCreator@U?$TypedArray@E$1?UnwrapUint8Array@js@@YAPAVJSObject@@PAV3@@Z$1?JS_GetUint8ArrayData@@YAPAE0PA_NABVAutoRequireNoGC@JS@@@Z$1?GetUint8ArrayLengthAndData@2@YAX0PAI1PAPAE@Z$1?JS_NewUint8Array@@YAPAV3@PAUJSContext@@I@Z@dom@mozilla@@@dom@mozilla@@QBEPAVJSObject@@PAUJSContext@@@Z
+?GetSize@nsFileStreamBase@@UAG?AW4nsresult@@PA_J@Z
+?Read@nsFileStream@@UAG?AW4nsresult@@PADIPAI@Z
+??$SetLength@UnsTArrayFallibleAllocator@@@?$nsTArray_Impl@EUnsTArrayInfallibleAllocator@@@@IAE_NI@Z
+?Release@nsFileOutputStream@@UAGKXZ
+??_GnsFileStream@@MAEPAXI@Z
+?RequestAudioCapturePermission@nsOSPermissionRequestBase@@UAG?AW4nsresult@@PAUJSContext@@PAPAVPromise@dom@mozilla@@@Z
+?DecodeNumber@Key@indexedDB@dom@mozilla@@CANAAPBEPBE@Z
+?growStorageBy@?$Vector@UMatchPair@js@@$09VSystemAllocPolicy@2@@mozilla@@AAE_NI@Z
+?emitGuardStringToInt32@CacheIRCompiler@jit@js@@IAE_NVStringOperandId@23@VInt32OperandId@23@@Z
+?guardStringToInt32@MacroAssembler@jit@js@@QAEXURegister@23@00V?$LiveSet@VRegisterSet@jit@js@@@23@PAVLabel@23@@Z
+?GetActorEventTarget@IProtocol@ipc@mozilla@@QAEPAVnsISerialEventTarget@@XZ
+?BitXor@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32BitXorResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?RegExpCreate@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@1V?$MutableHandle@VValue@JS@@@4@@Z
+?SetObjectElement@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@2_N@Z
+?foldsTo@MGuardStringToIndex@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MGuardStringToInt32@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?needTruncation@MAdd@jit@js@@UAE_NW4TruncateKind@MDefinition@23@@Z
+?truncate@MAdd@jit@js@@UAEXXZ
+?writeRecoverData@MAdd@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?writeRecoverData@MSub@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?foldsTo@MReturnFromCtor@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?foldsTo@MCheckObjCoercible@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?CreateThisWithTemplate@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?foldsTo@MGetFirstDollarIndex@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?typePolicy@MApplyArgs@jit@js@@UAEPBVTypePolicy@23@XZ
+?InsertCell@HTMLTableRowElement@dom@mozilla@@QAE?AU?$already_AddRefed@VnsGenericHTMLElement@@@@HAAVErrorResult@3@@Z
+?Release@JumpListLink@widget@mozilla@@UAGKXZ
+?FindScrollCommand@nsGlobalWindowCommands@@SA_NPBDPAUKeyboardScrollAction@layers@mozilla@@@Z
+??_GnsSimpleContentList@@MAEPAXI@Z
+??1nsBaseContentList@@MAE@XZ
+?WebSocketSSLChannelConstructor@net@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+??0WebSocketChannel@net@mozilla@@QAE@XZ
+?GetInstance@nsViewSourceHandler@net@mozilla@@SAPAV123@XZ
+?QueryInterface@Dashboard@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@Dashboard@net@mozilla@@UAGKXZ
+?GetOrCreate@WebSocketEventService@net@mozilla@@SA?AU?$already_AddRefed@VWebSocketEventService@net@mozilla@@@@XZ
+?RecvClose@WebSocketEventListenerParent@net@mozilla@@AAE?AVIPCResult@ipc@3@XZ
+?Release@WebSocketEventService@net@mozilla@@UAGKXZ
+?AddRef@WebSocketChannel@net@mozilla@@UAGKXZ
+?QueryInterface@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@WebSocketChannel@net@mozilla@@UAGKXZ
+?InitLoadInfo@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsINode@@PAVnsIPrincipal@@1II@Z
+?InitLoadInfoNative@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsINode@@PAVnsIPrincipal@@1PAVnsICookieJarSettings@@III@Z
+?SetProtocol@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@@Z
+?AsyncOpen@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIURI@@ABV?$nsTSubstring@D@@_KPAVnsIWebSocketListener@@PAVnsISupports@@@Z
+?IsEncrypted@WebSocketChannel@net@mozilla@@UBE_NXZ
+?GetSecurityFlags@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetInterface@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?HTTPUpgrade@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@PAVnsIHttpUpgradeListener@@@Z
+?Base64Encode@mozilla@@YA?AW4nsresult@@PBDIAAV?$nsTSubstring@D@@@Z
+?GetChannelId@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PA_K@Z
+?GetProtocolFlags@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetDefaultPort@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAH@Z
+?nsCaseInsensitiveUTF8StringComparator@@YAHPBD0II@Z
+?NewArrayOperation@js@@YAPAVArrayObject@1@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEIW4NewObjectKind@1@@Z
+?visitNotI@CodeGenerator@jit@js@@AAEXPAVLNotI@23@@Z
+?New@MArrayState@jit@js@@SAPAV123@AAVTempAllocator@23@PAVMDefinition@23@1@Z
+?initFromTemplateObject@MArrayState@jit@js@@QAE_NAAVTempAllocator@23@PAVMDefinition@23@@Z
+?addStore@MResumePoint@jit@js@@QAEXAAVTempAllocator@23@PAVMDefinition@23@PBV123@@Z
+?typePolicy@MArrayState@jit@js@@UAEPBVTypePolicy@23@XZ
+?writeRecoverData@MNewArray@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?writeRecoverData@MArrayState@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?OnProxyAvailable@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsICancelable@@PAVnsIChannel@@PAVnsIProxyInfo@@W44@@Z
+??$NSSConstructor@VnsPK11TokenDB@@@psm@mozilla@@YA?AW4nsresult@@PAVnsISupports@@ABUnsID@@PAPAX@Z
+?GetNextToken@nsNTLMAuthModule@@UAG?AW4nsresult@@PBXIPAPAXPAI@Z
+??0nsPK11Token@@QAE@PAUPK11SlotInfoStr@@@Z
+?GetPIPNSSBundleString@@YA?AW4nsresult@@PBDAAV?$nsTSubstring@D@@@Z
+?GetPIPNSSBundleString@@YA?AW4nsresult@@PBDAAV?$nsTSubstring@_S@@@Z
+?Log@ConsoleInstance@dom@mozilla@@QAEXPAUJSContext@@ABV?$Sequence@VValue@JS@@@23@@Z
+?OnLookupComplete@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsICancelable@@PAVnsIDNSRecord@@W44@@Z
+?NS_MaybeOpenChannelUsingAsyncOpen@@YA?AW4nsresult@@PAVnsIChannel@@PAVnsIStreamListener@@@Z
+?RecordEvent@TelemetryEvent@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@00V?$Handle@VValue@JS@@@JS@@1PAUJSContext@@E@Z
+?RecordChildEvents@TelemetryEvent@@YA?AW4nsresult@@W4ProcessID@Telemetry@mozilla@@ABV?$nsTArray@UChildEventData@Telemetry@mozilla@@@@@Z
+?SummarizeEvent@TelemetryScalar@@YAXABV?$nsTString@D@@W4ProcessID@Telemetry@mozilla@@_N@Z
+??$AssignInternal@UnsTArrayInfallibleAllocator@@UEventExtraEntry@Telemetry@mozilla@@@?$nsTArray_Impl@UEventExtraEntry@Telemetry@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEXPBUEventExtraEntry@Telemetry@mozilla@@I@Z
+?OnStartRequest@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@@Z
+?GetConnInfo@nsHttpTransaction@net@mozilla@@UBE?AU?$already_AddRefed@VnsHttpConnectionInfo@net@mozilla@@@@XZ
+?DontReuseConnection@nsHttpTransaction@net@mozilla@@UAEXXZ
+?SetH2WSConnRefTaken@nsHttpTransaction@net@mozilla@@UAEXXZ
+?OnStopRequest@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIRequest@@W44@@Z
+?Close@WebSocketChannel@net@mozilla@@UAG?AW4nsresult@@GABV?$nsTSubstring@D@@@Z
+?math_pow@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?GetDeliveryTarget@BaseWebSocketChannel@net@mozilla@@UAG?AW4nsresult@@PAPAVnsIEventTarget@@@Z
+?moveShiftedElements@NativeObject@js@@QAEXXZ
+?CreateMatchResultFallbackFunc@jit@js@@YAPAXPAUJSContext@@W4AllocKind@gc@2@I@Z
+?Release@Blob@dom@mozilla@@UAGKXZ
+?QueryInterface@WebSocketEventService@net@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?AssociateWebSocketImplWithSerialID@WebSocketEventService@net@mozilla@@QAEXPAVnsIWebSocketImpl@@I@Z
+??0JumpListBuilder@widget@mozilla@@QAE@XZ
+??0AgileReference@mscom@mozilla@@QAE@XZ
+?GetMTAThread@EnsureMTA@mscom@mozilla@@CA?AV?$nsCOMPtr@VnsIThread@@@@XZ
+?addPossibleAnnexBFunctionBox@Scope@ParseContext@frontend@js@@QAE_NPAV234@PAVFunctionBox@34@@Z
+?rewind@UsedNameTracker@frontend@js@@QAEXURewindToken@123@@Z
+?Clear@AgileReference@mscom@mozilla@@QAEXXZ
+?AssignInternal@AgileReference@mscom@mozilla@@AAEXPAUIUnknown@@@Z
+?Release@GeckoMediaPluginServiceParent@gmp@mozilla@@UAGKXZ
+?Resolve@AgileReference@mscom@mozilla@@QBEJABU_GUID@@PAPAX@Z
+?CountMouseDevices@InputDeviceUtils@widget@mozilla@@SAKXZ
+?ToObjectSlowForPropertyAccess@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@HV?$Handle@PAVPropertyName@js@@@5@@Z
+?ReportIsNullOrUndefinedForPropertyAccess@js@@YAXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@HV?$Handle@UPropertyKey@JS@@@4@@Z
+?numFrameSlots@FrameIter@js@@QBEIXZ
+?frameSlotValue@FrameIter@js@@QBE?AVValue@JS@@I@Z
+?UnregisterWindowActor@ChromeUtils@dom@mozilla@@SAXABVGlobalObject@23@ABV?$nsTSubstring@D@@@Z
+?UnregisterWindowActor@JSActorService@dom@mozilla@@QAEXABV?$nsTSubstring@D@@@Z
+?GetSingleton@FOG@mozilla@@SA?AU?$already_AddRefed@VFOG@mozilla@@@@XZ
+?QueryInterface@FOG@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+fog_init
+_ZN70_$LT$crossbeam_channel..err..RecvError$u20$as$u20$core..fmt..Debug$GT$3fmt17hd2c2ca9e50e83808E
+_ZN3fog7private4ping4Ping6submit17he1944ab514ad9359E
+XPCOMService_GetXULRuntime
+_ZN3fog7private8timespan14TimespanMetric5start17h6b1341fd63f3cad8E
+_ZN3fog7private8timespan14TimespanMetric4stop17h4f36689c058692f5E
+_ZN3fog10dispatcher13DispatchGuard4send17h1ec5da7ac888c90cE
+fog_set_log_pings
+_ZN93_$LT$nsstring..nsStr$u20$as$u20$core..convert..From$LT$$RF$alloc..vec..Vec$LT$u16$GT$$GT$$GT$4from17haab5af008bd8d379E
+?GetSingleton@Viaduct@mozilla@@SA?AU?$already_AddRefed@VViaduct@mozilla@@@@XZ
+?QueryInterface@Viaduct@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+viaduct_initialize
+_ZN17crossbeam_channel7context7Context4with7CONTEXT7__getit17hd8c2bff9eca44366E
+_ZN17crossbeam_channel7context7Context3new17h4ef30e57a7f972a5E
+_ZN10glean_core5Glean3new17ha91bdffbe815d9fcE
+_ZN10glean_core11setup_glean17hf2ba53c35a97f6f3E
+_ZN10glean_core18common_metric_data16CommonMetricData15base_identifier17h2755e0239bfc6d70E
+_ZN128_$LT$rkv..backend..impl_safe..environment..EnvironmentBuilderImpl$u20$as$u20$rkv..backend..traits..BackendEnvironmentBuilder$GT$3new17hcae53f1b8dcf07fdE
+_ZN128_$LT$rkv..backend..impl_safe..environment..EnvironmentBuilderImpl$u20$as$u20$rkv..backend..traits..BackendEnvironmentBuilder$GT$4open17hac27d2baad5c8be6E
+_ZN61_$LT$sfv..Item$u20$as$u20$sfv..serializer..SerializeValue$GT$15serialize_value17h4d101227a829d219E
+_ZN114_$LT$rkv..backend..impl_safe..environment..EnvironmentImpl$u20$as$u20$rkv..backend..traits..BackendEnvironment$GT$9create_db17h93909f63028277e4E
+_ZN4time2at17h5fa4394e225fd5f1E
+_ZN6chrono5naive7isoweek17iso_week_from_yof17h7a4ccdd7c363b63dE
+_ZN66_$LT$time..duration..Duration$u20$as$u20$core..ops..arith..Sub$GT$3sub17h397555efc926a3f0E
+_ZN4time8duration8Duration15num_nanoseconds17hbbdfc6b976fc9e03E
+_ZN6chrono5naive4date9NaiveDate12from_ymd_opt17h3cdb12b5b9a52b5dE
+_ZN4time8duration8Duration8num_days17heb3bfae413404266E
+_ZN10glean_core7metrics4uuid10UuidMetric3set17h0d52100fa7bf964cE
+_ZN114_$LT$rkv..backend..impl_safe..environment..EnvironmentImpl$u20$as$u20$rkv..backend..traits..BackendEnvironment$GT$12begin_ro_txn17he007f6f324a85dfeE
+_ZN124_$LT$rkv..backend..impl_safe..transaction..RoTransactionImpl$u20$as$u20$rkv..backend..traits..BackendRoCursorTransaction$GT$14open_ro_cursor17ha20747de692bb737E
+_ZN3rkv7backend9impl_safe8snapshot8Snapshot4iter17h7b672a27eb226ff1E
+_ZN93_$LT$rkv..backend..impl_safe..iter..IterImpl$u20$as$u20$rkv..backend..traits..BackendIter$GT$4next17h2d54e0cd37e2c12cE
+_ZN3rkv7helpers14read_transform17h08622d844fe52428E
+_ZN74_$LT$glean_core..metrics..uuid..UuidMetric$u20$as$u20$core..fmt..Debug$GT$3fmt17h43b0ad30e1c00ed7E
+_ZN107_$LT$chrono..datetime..DateTime$LT$chrono..offset..fixed..FixedOffset$GT$$u20$as$u20$core..str..FromStr$GT$8from_str17hb6ea30da37d1f28bE
+_ZN6chrono6format6format21write_local_minus_utc17h7a587660cbe01be7E
+_ZN10glean_core5Glean18register_ping_type17ha1c62811bd3d8919E
+_ZN3fog11ping_upload17register_uploader17hdfb67786d0f0791cE
+_ZN3fog10dispatcher6global10flush_init17hb8ac41246b135895E
+_ZN17crossbeam_channel5waker17current_thread_id9THREAD_ID7__getit17hcc9c042aef0208e7E
+_ZN10glean_core7metrics8timespan14TimespanMetric9set_start17h013363e7dbd25dc0E
+_ZN10glean_core7metrics8timespan14TimespanMetric8set_stop17h5c7aaea34d96460fE
+_ZN10glean_core7metrics4uuid10UuidMetric14test_get_value17h912e709ff049cc9eE
+_ZN73_$LT$ffi_support..handle_map..HandleError$u20$as$u20$core..fmt..Debug$GT$3fmt17h110301f9c1cd3d32E
+neqo_http3conn_is_zero_rtt
+?ConstructorEnabled@DOMLocalization_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Constructor@Localization@intl@mozilla@@SA?AU?$already_AddRefed@VLocalization@intl@mozilla@@@@ABVGlobalObject@dom@3@ABV?$Sequence@V?$nsTString@_S@@@63@_NABUBundleGenerator@63@AAVErrorResult@3@@Z
+?AddResourceIds@Localization@intl@mozilla@@QAEIABV?$nsTArray@V?$nsTString@_S@@@@@Z
+?create@AsyncGeneratorObject@js@@SAPAV12@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@@Z
+?AsyncGeneratorNext@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?AsyncGeneratorEnqueue@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@W4CompletionKind@1@1V?$MutableHandle@VValue@JS@@@4@@Z
+?createRequest@AsyncGeneratorObject@js@@SAPAVAsyncGeneratorRequest@2@PAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@W4CompletionKind@2@V?$Handle@VValue@JS@@@6@V?$Handle@PAVPromiseObject@js@@@6@@Z
+?enqueueRequest@AsyncGeneratorObject@js@@SA_NPAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@V?$Handle@PAVAsyncGeneratorRequest@js@@@5@@Z
+?peekRequest@AsyncGeneratorObject@js@@SAPAVAsyncGeneratorRequest@2@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@@Z
+?AsyncGeneratorResume@js@@YA_NPAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@W4CompletionKind@1@V?$Handle@VValue@JS@@@4@@Z
+?isAfterYieldOrAwait@AbstractGeneratorObject@js@@AAE_NW4JSOp@@@Z
+?AsyncGeneratorAwait@js@@YA_NPAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@V?$Handle@VValue@JS@@@4@@Z
+?Wrap@Localization_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVLocalization@intl@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@9@@Z
+?UnmarkGrayGCThingRecursively@gc@js@@YAXPAVTenuredCell@12@@Z
+?GetUrl@Response@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?generateRegExpSearcherStub@JitRealm@jit@js@@AAEPAVJitCode@23@PAUJSContext@@@Z
+?foldsTo@MRsh@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?computeRange@MRsh@jit@js@@UAEXAAVTempAllocator@23@@Z
+?lowerForShift@LIRGeneratorX86Shared@jit@js@@IAEXPAV?$LInstructionHelper@$00$01$0A@@23@PAVMDefinition@23@11@Z
+?visitShiftI@CodeGenerator@jit@js@@AAEXPAVLShiftI@23@@Z
+?sarl_ir@BaseAssembler@X86Encoding@jit@js@@QAEXHW4RegisterID@234@@Z
+?Observe@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@PAVnsISupports@@PBDPB_S@Z
+??_GPuppetWidget@widget@mozilla@@MAEPAXI@Z
+?MaybeNotifyIME@ContentCacheInParent@mozilla@@QAEXPAVnsIWidget@@ABUIMENotification@widget@2@@Z
+?GetInfo@GfxInfoBase@widget@mozilla@@UAG?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?JS_ReportErrorNumberASCII@@YAXPAUJSContext@@P6APBUJSErrorFormatString@@PAXI@Z1IZZ
+?ExtractErrorValues@nsContentUtils@@SAXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@AAV?$nsTSubstring@_S@@PAI3AAV?$nsTString@_S@@@Z
+?Init@ErrorReport@xpc@@QAEXPAVJSErrorReport@@PBD_N_K@Z
+?ReleaseXPConnectSingleton@nsXPConnect@@SAXXZ
+?ErrorReportToMessageString@ErrorReport@xpc@@SAXPAVJSErrorReport@@AAV?$nsTSubstring@_S@@@Z
+?GetErrorTypeName@js@@YAPAVJSLinearString@@PAUJSContext@@F@Z
+?ClassName@js@@YA?AV?$Handle@PAVPropertyName@js@@@JS@@W4JSProtoKey@@PAUJSContext@@@Z
+?FormatStackDump@JS@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@_N11@Z
+?callee@FrameIter@js@@QBEPAVJSFunction@@PAUJSContext@@@Z
+?jsprintf@Sprinter@js@@QAA_NPBDZZ
+?vprintf@GenericPrinter@js@@QAE_NPBDPAD@Z
+?release@Sprinter@js@@QAE?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@XZ
+??1Sprinter@js@@QAE@XZ
+?Constructor@DOMLocalization@dom@mozilla@@SA?AU?$already_AddRefed@VDOMLocalization@dom@mozilla@@@@ABVGlobalObject@23@ABV?$Sequence@V?$nsTString@_S@@@23@_NABUBundleGenerator@23@AAVErrorResult@3@@Z
+?ExecuteRegExpAtomRaw@js@@YA?AW4RegExpRunStatus@1@PAVRegExpShared@1@PAVJSLinearString@@IPAVMatchPairs@1@@Z
+?dequeueRequest@AsyncGeneratorObject@js@@SAPAVAsyncGeneratorRequest@2@PAUJSContext@@V?$Handle@PAVAsyncGeneratorObject@js@@@JS@@@Z
+?Wrap@DOMLocalization_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVDOMLocalization@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?typePolicy@MInCache@jit@js@@UAEPBVTypePolicy@23@XZ
+?update@IonInIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@V?$Handle@PAVJSObject@@@6@PA_N@Z
+?destructorAsyncFinalize@StorageBaseStatementInternal@storage@mozilla@@IAEXXZ
+??_GnsMIMEInfoWin@@EAEPAXI@Z
+??1nsMIMEInfoWin@@EAE@XZ
+??_G?$Variant@N$0A@@storage@mozilla@@EAEPAXI@Z
+??_GnsStandardURL@net@mozilla@@MAEPAXI@Z
+?IdleRun@IdleRequest@dom@mozilla@@QAEXPAVnsPIDOMWindowInner@@N_N@Z
+?ObjectWithProtoOperation@js@@YAPAVPlainObject@1@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?FunWithProtoOperation@js@@YAPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSFunction@@@JS@@V?$Handle@PAVJSObject@@@5@2@Z
+?IsAllowedNonCorsAccept@nsContentUtils@@SA_NABV?$nsTSubstring@D@@@Z
+??_EAsyncEventDispatcher@mozilla@@WBE@AEPAXI@Z
+?StyleSheets@DocumentOrShadowRoot@dom@mozilla@@QAEPAVStyleSheetList@23@XZ
+??0StyleSheetList@dom@mozilla@@QAE@AAVDocumentOrShadowRoot@12@@Z
+?WrapObject@StyleSheetList@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@StyleSheetList_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVStyleSheetList@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@StyleSheetList_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@StyleSheetApplicableStateChangeEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetSelfHostedFunction@JS@@YAPAVJSFunction@@PAUJSContext@@PBDV?$Handle@UPropertyKey@JS@@@1@I@Z
+?WrapObject@StyleSheet@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@CSSStyleSheet_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVStyleSheet@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@CSSStyleSheet_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@StyleSheet_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?Wrap@CSSStyleRule_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVBindingStyleRule@3@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetProtoObject@StyleSheet_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetDocShell@JSWindowActorChild@dom@mozilla@@QAEPAVnsIDocShell@@AAVErrorResult@3@@Z
+?FinishIncrementalEncoding@JS@@YA_NPAUJSContext@@V?$Handle@PAVJSScript@@@1@AAV?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@mozilla@@@Z
+?linearize@XDRIncrementalEncoder@js@@UAE?AV?$Result@UOk@mozilla@@W4TranscodeResult@JS@@@mozilla@@AAV?$Vector@E$0A@VMallocAllocPolicy@mozilla@@@4@@Z
+?remove@?$HashTable@V?$HashMapEntry@PAVBaseScript@js@@V?$UniquePtr@VScriptCounts@js@@U?$DeletePolicy@VScriptCounts@js@@@JS@@@mozilla@@@mozilla@@UMapHashPolicy@?$HashMap@PAVBaseScript@js@@V?$UniquePtr@VScriptCounts@js@@U?$DeletePolicy@VScriptCounts@js@@@JS@@@mozilla@@U?$DefaultHasher@PAVBaseScript@js@@X@4@VSystemAllocPolicy@2@@2@VSystemAllocPolicy@js@@@detail@mozilla@@AAEXAAV?$EntrySlot@V?$HashMapEntry@PAVBaseScript@js@@V?$UniquePtr@VScriptCounts@js@@U?$DeletePolicy@VScriptCounts@js@@@JS@@@mozilla@@@mozilla@@@23@@Z
+?OpenAlternativeOutputStream@CacheEntryHandle@net@mozilla@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@_JPAPAVnsIAsyncOutputStream@@@Z
+?OpenOutputStream@CacheEntry@net@mozilla@@QAE?AW4nsresult@@_J0PAPAVnsIOutputStream@@@Z
+?ShowOnScreenKeyboard@OSKInputPaneManager@widget@mozilla@@SAXPAUHWND__@@@Z
+?BuildStackString@JS@@YA_NPAUJSContext@@PAUJSPrincipals@@V?$Handle@PAVJSObject@@@1@V?$MutableHandle@PAVJSString@@@1@IW4StackFormat@js@@@Z
+?NS_NewSVGTitleElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@W4FromParser@dom@mozilla@@@Z
+?NS_NewSVGTitleElement@@YA?AW4nsresult@@PAPAVnsIContent@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@@Z
+?Rotate@SVGTextPositioningElement@dom@mozilla@@QAE?AU?$already_AddRefed@VDOMSVGAnimatedNumberList@dom@mozilla@@@@XZ
+?Wrap@SVGTitleElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVSVGTitleElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@SVGTitleElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?IsHTMLVoid@FragmentOrElement@dom@mozilla@@SA_NPAVnsAtom@@@Z
+?DidAnimateClass@SVGElement@dom@mozilla@@QAEXXZ
+?ChildCount@Accessible@a11y@mozilla@@UBEIXZ
+?Debug@Console@dom@mozilla@@SAXABVGlobalObject@23@ABV?$Sequence@VValue@JS@@@23@@Z
+?GetConsole@nsGlobalWindowInner@@QAE?AU?$already_AddRefed@VConsole@dom@mozilla@@@@PAUJSContext@@AAVErrorResult@mozilla@@@Z
+?Create@Console@dom@mozilla@@SA?AU?$already_AddRefed@VConsole@dom@mozilla@@@@PAUJSContext@@PAVnsPIDOMWindowInner@@AAVErrorResult@3@@Z
+?GetAddonId@ContentPrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+??0FirstSubsumedFrame@JS@@QAE@PAUJSContext@@_N@Z
+?SetAsUnsignedLongLong@OwningUnsignedLongLongOrString@dom@mozilla@@QAEAA_KXZ
+?CollectScriptCoverage@coverage@js@@YA_NPAVJSScript@@_N@Z
+??$copyCharsInternal@E@JSRope@@ABE?AV?$UniquePtr@$$BY0A@EUFreePolicy@JS@@@mozilla@@PAUJSContext@@I@Z
+??$CopyChars@E@js@@YAXPAEABVJSLinearString@@@Z
+?changeTableSize@?$HashTable@V?$HashMapEntry@PAVJSString@@V?$UnsafeBareWeakHeapPtr@PAVJSString@@@detail@js@@@mozilla@@UMapHashPolicy@?$HashMap@PAVJSString@@V?$UnsafeBareWeakHeapPtr@PAVJSString@@@detail@js@@U?$DefaultHasher@PAVJSString@@X@mozilla@@VZoneAllocPolicy@4@@2@VZoneAllocPolicy@js@@@detail@mozilla@@AAE?AW4RebuildStatus@123@IW4FailureBehavior@123@@Z
+?remove@?$HashMap@PAVJSString@@V?$UnsafeBareWeakHeapPtr@PAVJSString@@@detail@js@@U?$DefaultHasher@PAVJSString@@X@mozilla@@VZoneAllocPolicy@4@@mozilla@@QAEXABQAVJSString@@@Z
+?AppendIntDec@?$nsTSubstring@_S@@AAEX_K@Z
+?TestIntegrityLevel@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@W4IntegrityLevel@1@PA_N@Z
+?Accept@RegExpBackReference@internal@v8@@UAEPAXPAVRegExpVisitor@23@PAX@Z
+?ToNode@RegExpBackReference@internal@v8@@UAEPAVRegExpNode@23@PAVRegExpCompiler@23@PAV423@@Z
+?Accept@BackReferenceNode@internal@v8@@UAEXPAVNodeVisitor@23@@Z
+?Emit@BackReferenceNode@internal@v8@@UAEXPAVRegExpCompiler@23@PAVTrace@23@@Z
+?CheckNotBackReference@RegExpBytecodeGenerator@internal@v8@@UAEXH_NPAVLabel@23@@Z
+?isArray@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAW4IsArrayAnswer@5@@Z
+?isArray@?$SecurityWrapper@VCrossCompartmentWrapper@js@@@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAW4IsArrayAnswer@5@@Z
+?getBuiltinClass@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAW4ESClass@2@@Z
+?getBuiltinClass@?$SecurityWrapper@VCrossCompartmentWrapper@js@@@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PAW4ESClass@2@@Z
+?GetFirstNamedElement@nsContentList@@UAEPAVElement@dom@mozilla@@ABV?$nsTSubstring@_S@@AA_N@Z
+?NamedItem@nsContentList@@QAEPAVElement@dom@mozilla@@ABV?$nsTSubstring@_S@@_N@Z
+?OffsetY@MouseEvent@dom@mozilla@@QAEHXZ
+?OffsetX@MouseEvent@dom@mozilla@@QAEHXZ
+?Which@MouseEvent@dom@mozilla@@UAEIW4CallerType@23@@Z
+?freeBuffer@Nursery@js@@QAEXPAXI@Z
+?enumerate@Proxy@js@@SA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@5@@Z
+?enumerate@?$MaybeCrossOriginObject@VWrapper@js@@@dom@mozilla@@MBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@6@@Z
+?getOwnEnumerablePropertyKeys@BaseDOMProxyHandler@dom@mozilla@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@V?$StackGCVector@UPropertyKey@JS@@VTempAllocPolicy@js@@@JS@@@6@@Z
+?hasOwn@ForwardingProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?GetElementsByClassName@Element@dom@mozilla@@QAE?AU?$already_AddRefed@VnsIHTMLCollection@@@@ABV?$nsTSubstring@_S@@@Z
+?obj_propertyIsEnumerable@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?ValueToStringBufferSlow@js@@YA_NPAUJSContext@@ABVValue@JS@@AAVStringBuffer@1@@Z
+?emitLoadConstantString@CacheIRCompiler@jit@js@@IAE_NIVStringOperandId@23@@Z
+?CloneDataNode@Comment@dom@mozilla@@UBE?AU?$already_AddRefed@VCharacterData@dom@mozilla@@@@PAVNodeInfo@23@_N@Z
+?GetOnunload@HTMLBodyElement@dom@mozilla@@QAEPAVEventHandlerNonNull@23@XZ
+?writeRecoverData@MTypeOf@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?lowerForBitAndAndBranch@LIRGeneratorX86Shared@jit@js@@IAEXPAVLBitAndAndBranch@23@PAVMInstruction@23@PAVMDefinition@23@2@Z
+?visitBitAndAndBranch@CodeGenerator@jit@js@@AAEXPAVLBitAndAndBranch@23@@Z
+?New@MObjectState@jit@js@@SAPAV123@AAVTempAllocator@23@PAVMDefinition@23@@Z
+?initFromTemplateObject@MObjectState@jit@js@@QAE_NAAVTempAllocator@23@PAVMDefinition@23@@Z
+?Copy@MObjectState@jit@js@@SAPAV123@AAVTempAllocator@23@PAV123@@Z
+?safeInsertTop@MBasicBlock@jit@js@@QAEPAVMInstruction@23@PAVMDefinition@23@W4IgnoreTop@123@@Z
+?typePolicy@MObjectState@jit@js@@UAEPBVTypePolicy@23@XZ
+?writeRecoverData@MNewObject@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?writeRecoverData@MObjectState@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?update@IonGetNameIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@PAVJSObject@@@6@V?$MutableHandle@VValue@JS@@@6@@Z
+??0GetNameIRGenerator@jit@js@@QAE@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAEW4Mode@ICState@12@V?$Handle@PAVJSObject@@@5@V?$Handle@PAVPropertyName@js@@@5@@Z
+?finishForIonPure@ArgumentsObject@js@@SAPAV12@PAUJSContext@@PAVJitFrameLayout@jit@2@PAVJSObject@@PAV12@@Z
+??$IsAboutToBeFinalizedInternal@VJSString@@@gc@js@@YA_NPAPAVJSString@@@Z
+?growStorageBy@?$Vector@PAVMDefinition@jit@js@@$07VSystemAllocPolicy@3@@mozilla@@AAE_NI@Z
+?writeRecoverData@MNewCallObject@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?cloneInto@RNewCallObject@jit@js@@UBEXPAVRInstructionStorage@23@@Z
+?recover@RNewCallObject@jit@js@@UBE_NPAUJSContext@@AAVSnapshotIterator@23@@Z
+?storeInstructionResult@SnapshotIterator@jit@js@@QAEXABVValue@JS@@@Z
+?typePolicy@MStringSplit@jit@js@@UAEPBVTypePolicy@23@XZ
+?NativeRole@RadioButtonAccessible@a11y@mozilla@@UBE?AW4Role@roles@23@XZ
+?writeRecoverData@MTruncateToInt32@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?willBeSparseElements@NativeObject@js@@QAE_NII@Z
+?orl@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@URegister@23@@Z
+?createForIon@ArgumentsObject@js@@SAPAV12@PAUJSContext@@PAVJitFrameLayout@jit@2@V?$Handle@PAVJSObject@@@JS@@@Z
+?WriteStructuredClone@StructuredCloneTester@dom@mozilla@@QBE_NPAUJSContext@@PAUJSStructuredCloneWriter@@@Z
+?ReadUntil@?$TTokenizer@_S@mozilla@@QAE_NABVToken@?$TokenizerBase@_S@2@AAV?$nsTDependentSubstring@_S@@W4ClaimInclusion@12@@Z
+??_GWidgetMouseEvent@mozilla@@UAEPAXI@Z
+??1nsTraversal@@UAE@XZ
+?NotifyExpired@SelectorCache@Document@dom@mozilla@@UAEXPAVSelectorCacheKey@234@@Z
+_ZN16parking_lot_core9word_lock8WordLock9lock_slow17h5162ebe96adac301E
+_ZN67_$LT$ash..vk..definitions..Extent3D$u20$as$u20$core..fmt..Debug$GT$3fmt17h2993a82850cb3b92E
+?Clear@JSStackFrame@exceptions@dom@mozilla@@EAEXXZ
+?DestroyMatchString@nsContentUtils@@SAXPAX@Z
+?forwardBufferPointer@Nursery@js@@QAEXPAI@Z
+?typePolicy@MArraySlice@jit@js@@UAEPBVTypePolicy@23@XZ
+?copyObjGroupNoPreBarrier@MacroAssembler@jit@js@@QAEXURegister@23@00@Z
+?UnregisterVisitedCallback@BaseHistory@mozilla@@UAEXPAVnsIURI@@PAVLink@dom@2@@Z
+?Visit@nsRadioSetValueMissingState@@UAE_NPAVnsIFormControl@@@Z
+?GetSendInfo@URLSearchParams@dom@mozilla@@QBE?AW4nsresult@@PAPAVnsIInputStream@@PA_KAAV?$nsTSubstring@D@@2@Z
+?QueryInterface@IterableIteratorBase@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?QueryInterface@DOMRectList@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?DeleteCycleCollectable@DOMRectList@dom@mozilla@@UAGXXZ
+?DeleteCycleCollectable@cycleCollection@nsComputedDOMStyle@@UAGXPAX@Z
+?SetHash@URL@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@@Z
+Servo_MediaList_Release
+?ClearStorage@Console@dom@mozilla@@QAEXXZ
+?WrapObject@Headers@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Headers_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHeaders@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@MediaKeyStatusMap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?MaybeSortList@InternalHeaders@dom@mozilla@@AAEXXZ
+?Create@?$TypedArrayCreator@U?$TypedArray@E$1?UnwrapArrayBufferMaybeShared@JS@@YAPAVJSObject@@PAV3@@Z$1?GetArrayBufferMaybeSharedData@2@YAPAE0PA_NABVAutoRequireNoGC@2@@Z$1?GetArrayBufferMaybeSharedLengthAndData@2@YAX0PAI1PAPAE@Z$1?NewArrayBuffer@2@YAPAV3@PAUJSContext@@I@Z@dom@mozilla@@@dom@mozilla@@QBEPAVJSObject@@PAUJSContext@@@Z
+??0IterableKeyOrValueResult@dom@mozilla@@QAE@XZ
+?NotifyRestoreStart@nsDOMNavigationTiming@@QAEXXZ
+?GetLastLongNonIdleTaskEnd@nsThread@@UAG?AW4nsresult@@PAVTimeStamp@mozilla@@@Z
+?Abort@AbortController@dom@mozilla@@QAEXXZ
+?SignalAbort@AbortSignalImpl@dom@mozilla@@UAEXXZ
+??0EventInit@dom@mozilla@@QAE@XZ
+?Constructor@Event@dom@mozilla@@SA?AU?$already_AddRefed@VEvent@dom@mozilla@@@@PAVEventTarget@23@ABV?$nsTSubstring@_S@@ABUEventInit@23@@Z
+?SetTrusted@Event@dom@mozilla@@QAEX_N@Z
+?Wrap@HTMLScriptElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLScriptElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLScriptElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_moduleScripts_enabled@StaticPrefs@mozilla@@YA_NXZ
+?GetInnerHTML@HTMLScriptElement@dom@mozilla@@UAEXAAV?$nsTSubstring@_S@@AAVOOMReporter@3@@Z
+?ContentSecurityPolicyPermitsJSAction@nsScriptSecurityManager@@CA_NPAUJSContext@@V?$Handle@PAVJSString@@@JS@@@Z
+?enterWith@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@@Z
+?enterModule@EmitterScope@frontend@js@@QAE_NPAUBytecodeEmitter@23@PAVModuleSharedContext@23@@Z
+?createForWithScope@ScopeStencil@frontend@js@@SA_NPAUJSContext@@AAUCompilationStencil@23@V?$Maybe@U?$TypedIndex@VScope@js@@@frontend@js@@@mozilla@@PAU?$TypedIndex@VScope@js@@@23@@Z
+??$createSpecificScope@VWithScope@js@@$$T@ScopeStencil@frontend@js@@ABEPAVScope@2@PAUJSContext@@AAUCompilationInput@12@AAUCompilationGCOutput@12@@Z
+?GetPathname@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetBorderRadii@nsHTMLScrollFrame@@UBE_NABUnsSize@@0USides@mozilla@@QAH@Z
+?Put@IDBObjectStore@dom@mozilla@@QAE?AV?$RefPtr@VIDBRequest@dom@mozilla@@@@PAUJSContext@@V?$Handle@VValue@JS@@@JS@@1AAVErrorResult@3@@Z
+?AutoIncrement@IDBObjectStore@dom@mozilla@@QBE_NXZ
+??4?$nsTArray_Impl@VIndexUpdateInfo@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAEAAV0@$$QAV0@@Z
+??1?$nsTArray_Impl@VFileAddInfo@indexedDB@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??0RequestParams@indexedDB@dom@mozilla@@QAE@$$QAVObjectStorePutParams@123@@Z
+?RawCompress@snappy@@YAXPBDIPADPAI@Z
+??4RequestResponse@indexedDB@dom@mozilla@@QAEAAV0123@$$QAVObjectStorePutResponse@123@@Z
+?ToJSVal@Key@indexedDB@dom@mozilla@@QBE?AW4nsresult@@PAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@@Z
+?EncodeNumber@Key@indexedDB@dom@mozilla@@AAEXNE@Z
+?ClearConsoleReports@ConsoleReportCollector@mozilla@@UAEXXZ
+?emitDoubleSubResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@0@Z
+?emitDoublePowResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@0@Z
+?get@BaseProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@5@V?$Handle@UPropertyKey@JS@@@5@V?$MutableHandle@VValue@JS@@@5@@Z
+?TimeRemaining@IdleDeadline@dom@mozilla@@QAENXZ
+?GetDocument@nsDocShell@@UAG?AW4nsresult@@PAPAVDocument@dom@mozilla@@@Z
+?Init@nsIconChannel@@QAE?AW4nsresult@@PAVnsIURI@@@Z
+?GetAccessibleDocument@xpcAccAnnouncementEvent@@UAG?AW4nsresult@@PAPAVnsIAccessibleDocument@@@Z
+?GetStartWithLastProfile@nsToolkitProfileService@@UAG?AW4nsresult@@PA_N@Z
+?GetSortingCode@PaymentAddress@payments@dom@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?ToJSON@BasePrincipal@mozilla@@QAE?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?PopulateJSONObject@NullPrincipal@mozilla@@UAE?AW4nsresult@@AAVValue@Json@@@Z
+??$_Insert_string@DU?$char_traits@D@std@@I@std@@YAAAV?$basic_ostream@DU?$char_traits@D@std@@@0@AAV10@QBDI@Z
+?overflow@?$basic_stringbuf@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@MAEHH@Z
+??$_Reallocate_grow_by@V<lambda_1>@?0??append@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV34@QBDI@Z@PBDI@?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QAEAAV01@IV<lambda_1>@?0??append@01@QAEAAV01@QBDI@Z@PBDI@Z
+?str@?$basic_stringbuf@DU?$char_traits@D@std@@V?$allocator@D@2@@std@@QBE?AV?$basic_string@DU?$char_traits@D@std@@V?$allocator@D@2@@2@XZ
+?Btoa@xpc@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+??0nsSameProcessAsyncMessageBase@@QAE@XZ
+??0Runnable@SameProcessMessageQueue@dom@mozilla@@QAE@XZ
+?Init@nsSameProcessAsyncMessageBase@@QAE?AW4nsresult@@ABV?$nsTSubstring@_S@@AAVStructuredCloneData@ipc@dom@mozilla@@@Z
+??1HTMLFormSubmission@dom@mozilla@@UAE@XZ
+?DisconnectChild@nsINode@@IAEXPAVnsIContent@@@Z
+?HandleCompletion@VisitedQuery@places@mozilla@@UAG?AW4nsresult@@G@Z
+?VisitedQueryFinished@Link@dom@mozilla@@UAEX_N@Z
+?PostRestyleEvent@nsLayoutUtils@@SAXPAVElement@dom@mozilla@@UStyleRestyleHint@4@W4nsChangeHint@@@Z
+?Release@nsSharePicker@@UAGKXZ
+??_GHTMLDivElement@dom@mozilla@@MAEPAXI@Z
+??1nsGenericHTMLFormElement@@MAE@XZ
+??1nsImageLoadingContent@@UAE@XZ
+?TraverseNative@cycleCollection@nsDocLoader@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?DescribeRefCountedNode@ChildFinder@@UAGXIPBD@Z
+?NoteXPCOMChild@ChildFinder@@UAGXPAVnsISupports@@@Z
+?NoteNativeChild@ChildFinder@@UAGXPAXPAVnsCycleCollectionParticipant@@@Z
+?TraverseNative@cycleCollection@Event@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?IsGetterEnabled@binding_detail@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@P6A_N01PAXVJSJitGetterCallArgs@@@ZPBU?$Prefable@$$CBUJSPropertySpec@@@23@@Z
+?NoteJSChild@nsCycleCollectionParticipant@@SAXVGCCellPtr@JS@@PBDPAX@Z
+?Trace@TraceCallbackFunc@@UBEXPAV?$Heap@PAVJSObject@@@JS@@PBDPAX@Z
+?TraverseNative@cycleCollection@DOMEventTargetHelper@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?Trace@TraceCallbackFunc@@UBEXPAV?$Heap@VValue@JS@@@JS@@PBDPAX@Z
+?AddEffect@EffectSet@mozilla@@QAEXAAVKeyframeEffect@dom@2@@Z
+?TraverseNative@cycleCollection@FragmentOrElement@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?Traverse@nsINode@@KA_NPAV1@AAVnsCycleCollectionTraversalCallback@@@Z
+?Release@JSProcessActorProtocol@dom@mozilla@@UAGKXZ
+?Trace@TraceCallbackFunc@@UBEXPAVnsWrapperCache@@PBDPAX@Z
+?WriteStructuredClone@DOMQuad@dom@mozilla@@QBE_NPAUJSContext@@PAUJSStructuredCloneWriter@@@Z
+?TraverseNative@cycleCollection@TextEditor@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?TraverseNative@cycleCollection@EditorBase@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?QueryInterface@JSActor@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?TraverseNative@cycleCollection@TextControlElement@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?WrapObject@EventSource@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Traverse@nsDOMSlots@FragmentOrElement@dom@mozilla@@UAEXAAVnsCycleCollectionTraversalCallback@@@Z
+?TraverseNative@cycleCollection@CharacterData@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?IsValidSelectionPoint@nsFrameSelection@@QBE_NPAVnsINode@@@Z
+?AsyncScrollbarDragInitiated@nsSliderFrame@@QAEX_K@Z
+?RemoveObserver@Loader@css@mozilla@@QAEXPAVnsICSSLoaderObserver@@@Z
+?GetSupportedNames@Category@glean@mozilla@@QAEXAAV?$nsTArray@V?$nsTString@_S@@@@@Z
+?QueryInterface@EditorEventListener@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+workerlz4_maxCompressedSize
+?TraverseNative@cycleCollection@UIEvent@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+workerlz4_compress
+?sameBuffer@TypedArrayObject@js@@SA_NV?$Handle@PAVTypedArrayObject@js@@@JS@@0@Z
+?TraverseNative@cycleCollection@AbstractRange@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?ReleaseWrapper@nsWrapperCache@@QAEXPAX@Z
+?TraverseNative@cycleCollection@Document@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?Traverse@nsSlots@nsINode@@UAEXAAVnsCycleCollectionTraversalCallback@@@Z
+?Traverse@DocumentOrShadowRoot@dom@mozilla@@SAXPAV123@AAVnsCycleCollectionTraversalCallback@@@Z
+?Release@Document@dom@mozilla@@WHE@AGKXZ
+?MenuClosed@nsMenuBarFrame@@UAE_NXZ
+?Trace@cycleCollection@PerformanceMainThread@dom@mozilla@@UAGXPAXABUTraceCallbacks@@0@Z
+?TraverseNative@cycleCollection@WindowContext@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?DeleteCycleCollectable@MediaList@dom@mozilla@@UAGXXZ
+?TraverseExtendedSlots@nsExtendedDOMSlots@FragmentOrElement@dom@mozilla@@UAEXAAVnsCycleCollectionTraversalCallback@@@Z
+?Traverse@CustomElementData@dom@mozilla@@QBEXAAVnsCycleCollectionTraversalCallback@@@Z
+?TraverseNative@cycleCollection@DocumentFragment@dom@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?Trace@TraceCallbackFunc@@UBEXPAV?$Heap@PAVJSScript@@@JS@@PBDPAX@Z
+?TraverseNative@cycleCollection@nsFrameMessageManager@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?IndexOf@nsBaseContentList@@UAEHPAVnsIContent@@@Z
+?TraverseNative@cycleCollection@EditAggregateTransaction@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?TraverseNative@cycleCollection@nsContentSink@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?GetComputedTimingAsDict@AnimationEffect@dom@mozilla@@UBEXAAUComputedEffectTiming@23@@Z
+?TraverseObjectsInGlobal@nsIGlobalObject@@QAEXAAVnsCycleCollectionTraversalCallback@@@Z
+FluentBuiltInDateTimeFormatterFormat
+?blitH@SkRectClipBlitter@@UAEXHHH@Z
+?EnterWithOperation@js@@YA_NPAUJSContext@@VAbstractFramePtr@1@V?$Handle@VValue@JS@@@JS@@V?$Handle@PAVWithScope@js@@@5@@Z
+?GetNameBoundInEnvironment@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$MutableHandle@VValue@JS@@@4@@Z
+?GetQuickCheckDetails@NegativeLookaroundChoiceNode@internal@v8@@UAEXPAVQuickCheckDetails@23@PAVRegExpCompiler@23@H_N@Z
+?updateForReplacement@MMul@jit@js@@UAE_NPAVMDefinition@23@@Z
+?canOverflow@MMul@jit@js@@QBE_NXZ
+?lowerMulI@LIRGeneratorX86Shared@jit@js@@IAEXPAVMMul@23@PAVMDefinition@23@1@Z
+?visitMulI@CodeGenerator@jit@js@@AAEXPAVLMulI@23@@Z
+?writeRecoverData@MStringLength@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?visitCompareD@CodeGenerator@jit@js@@AAEXPAVLCompareD@23@@Z
+?GetPropertyValue@nsComputedDOMStyle@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@AAV?$nsTSubstring@_S@@@Z
+?LengthPercentage@?$StyleGenericSize@TStyleLengthPercentageUnion@mozilla@@@mozilla@@SA?AU12@ABTStyleLengthPercentageUnion@2@@Z
+?IndexedGetter@nsComputedDOMStyle@@UAEXIAA_NAAV?$nsTSubstring@D@@@Z
+?update@IonUnaryArithIC@jit@js@@SA_NPAUJSContext@@V?$Handle@PAVJSScript@@@JS@@PAV123@V?$Handle@VValue@JS@@@6@V?$MutableHandle@VValue@JS@@@6@@Z
+?IsZeroBSize@nsLineLayout@@QAE_NXZ
+?RemoveFloat@nsLineBox@@QAE_NPAVnsIFrame@@@Z
+?ClearContentUnbinder@FragmentOrElement@dom@mozilla@@SAXXZ
+??_GFatSlots@FragmentOrElement@dom@mozilla@@UAEPAXI@Z
+??1nsExtendedDOMSlots@FragmentOrElement@dom@mozilla@@UAE@XZ
+??_GCustomElementData@dom@mozilla@@EAEPAXI@Z
+??1CustomElementData@dom@mozilla@@EAE@XZ
+?GetLogicalSkipSides@nsInlineFrame@@MBE?AULogicalSides@mozilla@@XZ
+??$GetVisitedDependentColor@U?$StyleGenericColor@UStyleRGBA@mozilla@@@mozilla@@UnsStyleBorder@@@ComputedStyle@mozilla@@QBEIPQnsStyleBorder@@U?$StyleGenericColor@UStyleRGBA@mozilla@@@1@@Z
+?nsCycleCollector_collectSlice@@YAXAAVSliceBudget@js@@_N@Z
+?BeginCycleCollectionCallback@nsJSContext@@SAXXZ
+?FixWeakMappingGrayBits@CycleCollectedJSRuntime@mozilla@@QBEXXZ
+?traceAllMappings@WeakMapBase@js@@SAXPAUWeakMapTracer@2@@Z
+?traceMappings@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@EAEXPAUWeakMapTracer@2@@Z
+?TraverseRoots@CycleCollectedJSRuntime@mozilla@@QAE?AW4nsresult@@AAVnsCycleCollectionNoteRootCallback@@@Z
+?SuspectAllWrappers@XPCWrappedNativeScope@@SAXAAVnsCycleCollectionNoteRootCallback@@@Z
+?CanSkipInCCReal@cycleCollection@nsXPCWrappedJS@@UAG_NPAX@Z
+?CanSkip@nsXPCWrappedJS@@IAE_NXZ
+?CanSkipInCCReal@cycleCollection@CharacterData@dom@mozilla@@UAG_NPAX@Z
+?CanSkipInCC@FragmentOrElement@dom@mozilla@@SA_NPAVnsINode@@@Z
+?CanSkipInCCReal@cycleCollection@DOMEventTargetHelper@mozilla@@UAG_NPAX@Z
+?CanSkipThisReal@cycleCollection@NodeInfo@dom@mozilla@@UAG_NPAX@Z
+?CanSkipInCCReal@cycleCollection@CallbackObject@dom@mozilla@@UAG_NPAX@Z
+?Start@ImportScanner@mozilla@@QAEXXZ
+?Stop@ImportScanner@mozilla@@QAE?AV?$nsTArray@V?$nsTString@_S@@@@XZ
+?Scan@ImportScanner@mozilla@@AAE?AW4State@12@_S@Z
+?ForgetWorkerPrivate@WorkerEventTarget@dom@mozilla@@QAEXPAVWorkerPrivate@23@@Z
+?WriteSegmentsAgain@nsAHttpTransaction@net@mozilla@@UAE?AW4nsresult@@PAVnsAHttpSegmentWriter@23@IPAIPA_N@Z
+?WriteSegments@nsHttpTransaction@net@mozilla@@UAE?AW4nsresult@@PAVnsAHttpSegmentWriter@23@IPAI@Z
+?ShouldThrottle@nsHttpConnectionMgr@net@mozilla@@QAE_NPAVnsHttpTransaction@23@@Z
+?LastTransactionExpectedNoContent@ConnectionHandle@net@mozilla@@UAE_NXZ
+?LastTransactionExpectedNoContent@nsHttpConnection@net@mozilla@@UAE_NXZ
+?TakeRestartedState@nsHttpTransaction@net@mozilla@@UAE_NXZ
+?SetHeaderFromNet@nsHttpHeaderArray@net@mozilla@@QAE?AW4nsresult@@UnsHttpAtom@23@ABV?$nsTSubstring@D@@1_N@Z
+?Flatten@nsHttpResponseHead@net@mozilla@@QAEXAAV?$nsTSubstring@D@@_N@Z
+?DisableHttp3@nsHttpTransaction@net@mozilla@@UAEXXZ
+?OnHeadersAvailable@ConnectionHandle@net@mozilla@@UAE?AW4nsresult@@PAVnsAHttpTransaction@23@PAVnsHttpRequestHead@23@PAVnsHttpResponseHead@23@PA_N@Z
+?HasHeaderValue@nsHttpResponseHead@net@mozilla@@QAE_NUnsHttpAtom@23@PBD@Z
+?IsProxyConnectInProgress@ConnectionHandle@net@mozilla@@UAE_NXZ
+?IsProxyConnectInProgress@nsHttpConnection@net@mozilla@@UAE_NXZ
+?SetLastTransactionExpectedNoContent@ConnectionHandle@net@mozilla@@UAEX_N@Z
+?SetLastTransactionExpectedNoContent@nsHttpConnection@net@mozilla@@UAEX_N@Z
+?IsPersistent@ConnectionHandle@net@mozilla@@UAE_NXZ
+?BytesWritten@ConnectionHandle@net@mozilla@@UAE_JXZ
+??1?$nsTArray_Impl@UnsEntry@nsHttpHeaderArray@net@mozilla@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?GetCurrentScript@Document@dom@mozilla@@QAEPAVElement@23@XZ
+?Attributes@Element@dom@mozilla@@QAEPAVnsDOMAttributeMap@@XZ
+??0nsDOMAttributeMap@@QAE@PAVElement@dom@mozilla@@@Z
+?WrapObject@nsDOMAttributeMap@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@NamedNodeMap_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVnsDOMAttributeMap@@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@NamedNodeMap_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+??$AppendElementInternal@UnsTArrayFallibleAllocator@@$$T@?$nsTArray_Impl@PAVJSObject@@UnsTArrayFallibleAllocator@@@@AAEPAPAVJSObject@@$$QA$$T@Z
+?GetNamedItem@nsDOMAttributeMap@@QAEPAVAttr@dom@mozilla@@ABV?$nsTSubstring@_S@@@Z
+?GetExistingAttrNameFromQName@Element@dom@mozilla@@QBE?AU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@ABV?$nsTSubstring@_S@@@Z
+?IsCopyToClipboardAllowed@TextEditor@mozilla@@QBE_NXZ
+??0Attr@dom@mozilla@@QAE@PAVnsDOMAttributeMap@@$$QAU?$already_AddRefed@VNodeInfo@dom@mozilla@@@@ABV?$nsTSubstring@_S@@@Z
+?SetValue@Attr@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?Wrap@Attr_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVAttr@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Attr_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetValue@Attr@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetOrigin@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetOrigin@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetURIAttr@nsGenericHTMLElement@@QBEXPAVnsAtom@@0AAV?$nsTSubstring@_S@@@Z
+?GetHost@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetSearch@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetHash@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetHostname@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetPort@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?AppendIntDec@?$nsTSubstring@_S@@AAEXH@Z
+?GetPathname@Link@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@@Z
+?Wrap@HTMLStyleElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLStyleElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLStyleElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?DrainSelfOverflowList@nsInlineFrame@@UAE_NXZ
+?FindNearestBlockAncestor@nsLayoutUtils@@SAPAVnsBlockFrame@@PAVnsIFrame@@@Z
+?InsertFrames@nsContainerFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@PBVnsLineList_iterator@@AAVnsFrameList@@@Z
+?InvalidateFrame@nsTextFrame@@UAEXI_N@Z
+?GetName@nsGlobalWindowInner@@QAEXAAV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?GetNameOuter@nsGlobalWindowOuter@@QAEXAAV?$nsTSubstring@_S@@@Z
+?GetName@nsDocShell@@UAG?AW4nsresult@@AAV?$nsTSubstring@_S@@@Z
+?GetState@nsHistory@@QBEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@AAVErrorResult@mozilla@@@Z
+?Length@nsGlobalWindowInner@@QAEIXZ
+?Length@nsDOMAttributeMap@@QBEIXZ
+?IndexedGetter@nsDOMAttributeMap@@QAEPAVAttr@dom@mozilla@@IAA_N@Z
+?emitLabel@LabelEmitter@frontend@js@@QAEXPBVParserAtom@23@@Z
+?emitEnd@LabelEmitter@frontend@js@@QAE_NXZ
+??$AppendElementInternal@UnsTArrayInfallibleAllocator@@VErrorDataNote@dom@mozilla@@@?$nsTArray_Impl@VErrorDataNote@dom@mozilla@@UnsTArrayInfallibleAllocator@@@@AAEPAVErrorDataNote@dom@mozilla@@$$QAV123@@Z
+?SetCCCollectedAnything@WorkerPrivate@dom@mozilla@@QAEX_N@Z
+?NonIncrementalGC@JS@@YAXPAUJSContext@@W4JSGCInvocationKind@@W4GCReason@1@@Z
+?TraceGlobal@CreateGlobalOptionsGeneric@dom@mozilla@@SAXPAVJSTracer@@PAVJSObject@@@Z
+??$GenericMethod@UCrossOriginThisPolicy@binding_detail@dom@mozilla@@UThrowExceptions@234@@binding_detail@dom@mozilla@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?Replace@LocationBase@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?Assign@Location@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetBaseURI@Document@dom@mozilla@@UBEPAVnsIURI@@_N@Z
+?CreateInterfaceObjects@PopStateEvent_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?nsCycleCollector_collect@@YA_NPAVnsICycleCollectorListener@@@Z
+??0SliceBudget@js@@AAE@XZ
+?DescribeRefCountedNode@CCGraphBuilder@@UAGXIPBD@Z
+?CanSkipThisReal@cycleCollection@DOMEventTargetHelper@mozilla@@UAG_NPAX@Z
+?TraceCycleCollectorChildren@gc@js@@YAXPAVCallbackTracer@JS@@PAVShape@2@@Z
+?Unlink@cycleCollection@DOMEventTargetHelper@mozilla@@UAGXPAX@Z
+?nsCycleCollector_doDeferredDeletion@@YA_NXZ
+?WriteToFile@nsINIParser_internal@@QAE?AW4nsresult@@PAVnsIFile@@@Z
+?functionBodyString@ScriptSource@js@@QAEPAVJSLinearString@@PAUJSContext@@@Z
+??0Compressor@js@@QAE@PBEI@Z
+?init@Compressor@js@@QAE_NXZ
+?compressMore@Compressor@js@@QAE?AW4Status@12@XZ
+?GetCookie@Document@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVErrorResult@3@@Z
+?StorageAllowedForDocument@mozilla@@YA?AW4StorageAccess@1@PBVDocument@dom@1@@Z
+?StorageAllowedForWindow@mozilla@@YA?AW4StorageAccess@1@PAVnsPIDOMWindowInner@@PAI@Z
+?ReportUnblockingToConsole@ContentBlockingNotifier@mozilla@@SAXPAVBrowsingContext@dom@2@ABV?$nsTSubstring@_S@@W4StorageAccessPermissionGrantedReason@12@@Z
+?OnAllowAccessFor@ContentBlocking@mozilla@@SAXPAVBrowsingContext@dom@2@ABV?$nsTString@D@@IW4StorageAccessPermissionGrantedReason@ContentBlockingNotifier@2@@Z
+?GetMatchedTrackingFullHashes@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@AAV?$nsTArray@V?$nsTString@D@@@@@Z
+?NotifyContentBlockingEvent@WindowGlobalParent@dom@mozilla@@QAEXIPAVnsIRequest@@_NABV?$nsTSubstring@D@@ABV?$nsTArray@V?$nsTString@D@@@@ABV?$Maybe@W4StorageAccessPermissionGrantedReason@ContentBlockingNotifier@mozilla@@@3@@Z
+?GetThirdPartyClassificationFlags@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAI@Z
+?GetScheme@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetHostOrIPv6WithBrackets@nsContentUtils@@SA?AW4nsresult@@PAVnsIPrincipal@@AAV?$nsTSubstring@D@@@Z
+?GetAsciiHost@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?GetFilePath@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?NS_NewChannel@@YA?AW4nsresult@@PAPAVnsIChannel@@PAVnsIURI@@PAVnsINode@@IIPAVPerformanceStorage@dom@mozilla@@PAVnsILoadGroup@@PAVnsIInterfaceRequestor@@IPAVnsIIOService@@I@Z
+?SetSource@HttpBaseChannel@net@mozilla@@UAEXV?$UniquePtr@VProfileChunkedBuffer@mozilla@@V?$DefaultDelete@VProfileChunkedBuffer@mozilla@@@2@@3@@Z
+?finish@Compressor@js@@QAEXPADI@Z
+??1Compressor@js@@QAE@XZ
+?SetResponseTimeoutEnabled@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?IsCORSSafelistedRequestHeader@nsContentUtils@@SA_NABV?$nsTSubstring@D@@0@Z
+?IsScriptTracking@Document@dom@mozilla@@QBE_NPAUJSContext@@@Z
+??0nsCORSListenerProxy@@QAE@PAVnsIStreamListener@@PAVnsIPrincipal@@_N@Z
+?Init@nsCORSListenerProxy@@QAE?AW4nsresult@@PAVnsIChannel@@W4DataURIHandling@@@Z
+??1nsPreflightCache@@QAE@XZ
+?SetCorsIncludeCredentials@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@_N@Z
+?Release@nsCORSListenerProxy@@UAGKXZ
+?complete@SourceCompressionTask@js@@QAEXXZ
+?releasePoolPages@ExecutableAllocator@jit@js@@QAEXPAVExecutablePool@23@@Z
+?deallocate@ProcessExecutableMemory@@QAEXPAXI_N@Z
+?Level@BatteryManager@battery@dom@mozilla@@QBENXZ
+?CanSkipThisReal@cycleCollection@FragmentOrElement@dom@mozilla@@UAG_NPAX@Z
+?CanSkipThisReal@cycleCollection@nsGlobalWindowInner@@UAG_NPAX@Z
+?CanSkipThisReal@cycleCollection@Document@dom@mozilla@@UAG_NPAX@Z
+?CanSkipThis@FragmentOrElement@dom@mozilla@@SA_NPAVnsINode@@@Z
+??0nsBoxLayoutState@@QAE@ABV0@@Z
+?ObjectAt@nsDequeBase@detail@mozilla@@IBEPAXI@Z
+?Release@PrioritizableRunnable@mozilla@@W3AGKXZ
+?TraverseNative@cycleCollection@Localization@intl@mozilla@@UAG?AW4nsresult@@PAXAAVnsCycleCollectionTraversalCallback@@@Z
+?EncodeNative@PrioEncoder@dom@mozilla@@SA?AW4nsresult@@ABV?$nsTString@D@@ABV?$nsTArray@_N@@AAV5@2@Z
+?IsLoading@BrowsingContext@dom@mozilla@@QAE_NXZ
+?VisitResponseHeaders@HttpBaseChannel@net@mozilla@@UAG?AW4nsresult@@PAVnsIHttpHeaderVisitor@@@Z
+?VisitHeaders@nsHttpHeaderArray@net@mozilla@@QAE?AW4nsresult@@PAVnsIHttpHeaderVisitor@@W4VisitorFilter@123@@Z
+?emitDoubleIncDecResult@CacheIRCompiler@jit@js@@IAE_N_NVNumberOperandId@23@@Z
+?emitDoubleNegationResult@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@@Z
+?vpcmpeqw@AssemblerX86Shared@jit@js@@QAEXABVOperand@23@UFloatRegister@23@1@Z
+?shiftOpImmSimd@BaseAssembler@X86Encoding@jit@js@@IAEXPBDW4TwoByteOpcodeID@234@W4ShiftID@234@IW4XMMRegisterID@234@3@Z
+?emitNumberMinMax@CacheIRCompiler@jit@js@@IAE_N_NVNumberOperandId@23@11@Z
+?minMaxDouble@MacroAssemblerX86Shared@jit@js@@QAEXUFloatRegister@23@0_N1@Z
+?CheckFormValidity@HTMLFormElement@dom@mozilla@@IBE_NPAV?$nsTArray@V?$RefPtr@VElement@dom@mozilla@@@@@@@Z
+?BeforeSetForm@HTMLInputElement@dom@mozilla@@MAEX_N@Z
+?AddElement@HTMLFormElement@dom@mozilla@@QAE?AW4nsresult@@PAVnsGenericHTMLFormElement@@_N1@Z
+?AddElementToTable@HTMLFormElement@dom@mozilla@@QAE?AW4nsresult@@PAVnsGenericHTMLFormElement@@ABV?$nsTSubstring@_S@@@Z
+?IsDefaultSubmitElement@HTMLFormElement@dom@mozilla@@QBE_NPBVnsIFormControl@@@Z
+?IsArrayFromJit@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@PA_N@Z
+?Wrap@HTMLFormElement_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLFormElement@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@HTMLFormElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_forms_requestsubmit_enabled@StaticPrefs@mozilla@@YA_NXZ
+?Wrap@HTMLFormControlsCollection_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVHTMLFormControlsCollection@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?NamedGetter@HTMLFormElement@dom@mozilla@@QAE?AU?$already_AddRefed@VnsISupports@@@@ABV?$nsTSubstring@_S@@AA_N@Z
+?DropAttribute@nsDOMAttributeMap@@QAEXHPAVnsAtom@@@Z
+?SetMap@Attr@dom@mozilla@@QAEXPAVnsDOMAttributeMap@@@Z
+?Release@Attr@dom@mozilla@@UAGKXZ
+?EmptyMatchCheck@ActionNode@internal@v8@@SAPAV123@HHHPAVRegExpNode@23@@Z
+?IfRegisterEqPos@RegExpBytecodeGenerator@internal@v8@@UAEXHPAVLabel@23@@Z
+_ZN5style10properties9longhands10mask_image16cascade_property17haa27bd761c6db051E
+_ZN5style10properties9longhands9mask_size16cascade_property17h2eaeeaf29832c7ceE
+_ZN5style10properties9longhands15mask_position_y16cascade_property17h93298b2dacbac72bE
+_ZN5style10properties9longhands15mask_position_x16cascade_property17hd3bd79201c935719E
+_ZN5style10properties9longhands14mask_composite16cascade_property17h9faee89d5131b214E
+_ZN5style10properties9longhands11mask_origin16cascade_property17hbe6a69978f1f72f2E
+_ZN5style10properties9longhands9mask_clip16cascade_property17hed88f177185bf45fE
+_ZN5style10properties9longhands9mask_mode16cascade_property17h95c1a5be8ebc1c77E
+_ZN5style10properties9longhands9clip_path16cascade_property17hf7a81114426bc79bE
+_ZN5style10properties9longhands14outline_offset16cascade_property17ha711c73ce972ab5bE
+?QueryInterface@nsConverterOutputStream@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?Release@nsConverterOutputStream@@UAGKXZ
+?Init@nsConverterOutputStream@@UAG?AW4nsresult@@PAVnsIOutputStream@@PBD@Z
+?WriteString@nsConverterOutputStream@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@PA_N@Z
+?Write@nsConverterOutputStream@@UAG?AW4nsresult@@IPB_SPA_N@Z
+encoder_encode_from_utf16
+?NotifyRefreshDriverCreated@DocumentTimeline@dom@mozilla@@QAEXPAVnsRefreshDriver@@@Z
+?IsLastActiveElement@HTMLFormElement@dom@mozilla@@QBE_NPBVnsIFormControl@@@Z
+?ImplicitSubmissionIsDisabled@HTMLFormElement@dom@mozilla@@QBE_NXZ
+?GetEnumAttr@Element@dom@mozilla@@QBEXPAVnsAtom@@PBD1AAV?$nsTSubstring@_S@@@Z
+?Clone@HTMLLIElement@dom@mozilla@@UBE?AW4nsresult@@PAVNodeInfo@23@PAPAVnsINode@@@Z
+?num_valueOf@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?emitLoadDenseElementHoleExistsResult@CacheIRCompiler@jit@js@@IAE_NVObjOperandId@23@VInt32OperandId@23@@Z
+?pow32@MacroAssembler@jit@js@@QAEXURegister@23@0000PAVLabel@23@@Z
+?valueHash@MBinaryInstruction@jit@js@@MBEIXZ
+?typePolicy@MCallGetSparseElement@jit@js@@UAEPBVTypePolicy@23@XZ
+?foldsTo@MGuardIndexIsNonNegative@jit@js@@UAEPAVMDefinition@23@AAVTempAllocator@23@@Z
+?branchNegativeZero@MacroAssemblerX86Shared@jit@js@@QAEXUFloatRegister@23@URegister@23@PAVLabel@23@_N@Z
+?Unlink@cycleCollection@Document@dom@mozilla@@UAGXPAX@Z
+?Unlink@nsINode@@KAXPAV1@@Z
+?Unlink@nsSlots@nsINode@@UAEXXZ
+?Unlink@DocumentOrShadowRoot@dom@mozilla@@SAXPAV123@@Z
+?DropDocumentReference@Loader@css@mozilla@@QAEXXZ
+?Unlink@cycleCollection@FragmentOrElement@dom@mozilla@@UAGXPAX@Z
+?Unlink@cycleCollection@AbstractRange@dom@mozilla@@UAGXPAX@Z
+?Unlink@nsDOMSlots@FragmentOrElement@dom@mozilla@@UAEXXZ
+?InvalidateCacheIfAvailable@nsParentNodeChildContentList@@UAEXXZ
+?UnbindFromTree@nsTextNode@@UAEX_N@Z
+?Unlink@cycleCollection@CharacterData@dom@mozilla@@UAGXPAX@Z
+?Unlink@cycleCollection@TextControlElement@mozilla@@UAGXPAX@Z
+?UnlinkExtendedSlots@nsExtendedDOMSlots@FragmentOrElement@dom@mozilla@@UAEXXZ
+?Unlink@CustomElementData@dom@mozilla@@QAEXXZ
+?Unlink@cycleCollection@Rule@css@mozilla@@UAGXPAX@Z
+??_GnsDOMSlots@FragmentOrElement@dom@mozilla@@UAEPAXI@Z
+?Disconnect@Selection@dom@mozilla@@AAEXXZ
+?visitBoxFloatingPoint@CodeGenerator@jit@js@@AAEXPAVLBoxFloatingPoint@23@@Z
+?moveValue@MacroAssembler@jit@js@@QAEXABVTypedOrValueRegister@23@ABVValueOperand@23@@Z
+?RemoveFrame@nsContainerFrame@@UAEXW4FrameChildListID@layout@mozilla@@PAVnsIFrame@@@Z
+?StealFrame@nsInlineFrame@@UAEXPAVnsIFrame@@@Z
+??1Selection@dom@mozilla@@MAE@XZ
+?DeleteCycleCollectable@nsAttrChildContentList@@UAGXXZ
+??$CreateRangeExtendedToSomewhere@VnsRange@@@nsFrameSelection@@AAE?AV?$Result@V?$RefPtr@VnsRange@@@@W4nsresult@@@mozilla@@W4nsDirection@@W4nsSelectionAmount@@W4CaretMovementStyle@0@@Z
+??_GKeyframeEffect@dom@mozilla@@MAEPAXI@Z
+??1KeyframeEffect@dom@mozilla@@MAE@XZ
+??_GCSSTransition@dom@mozilla@@MAEPAXI@Z
+??1CSSTransition@dom@mozilla@@MAE@XZ
+??1Animation@dom@mozilla@@MAE@XZ
+?DeleteCycleCollectable@cycleCollection@Loader@css@mozilla@@UAGXPAX@Z
+??1Loader@css@mozilla@@AAE@XZ
+?WrapObject@IDBMutableFile@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?reset@?$UniquePtr@VPerformanceTimingData@dom@mozilla@@V?$DefaultDelete@VPerformanceTimingData@dom@mozilla@@@3@@mozilla@@QAEXPAVPerformanceTimingData@dom@2@@Z
+?RecvWrite@StreamFilterParent@extensions@mozilla@@IAE?AVIPCResult@ipc@3@$$QAV?$nsTArray@E@@@Z
+?EndCycleCollectionCallback@nsJSContext@@SAXAAUCycleCollectorResults@mozilla@@@Z
+?DefineDataProperty@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@4@V?$Handle@VValue@JS@@@4@IAAVObjectOpResult@4@@Z
+?getUseFor@?$MVariadicT@VMInstruction@jit@js@@@jit@js@@MAEPAVMUse@23@I@Z
+?NS_NewMathMLsemanticsFrame@@YAPAVnsIFrame@@PAVPresShell@mozilla@@PAVComputedStyle@3@@Z
+?writeRecoverData@MNewTypedArray@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?RevokeFrameRequestCallbacks@nsRefreshDriver@@QAEXPAVDocument@dom@mozilla@@@Z
+??$CheckStringIsIndex@E@js@@YA_NPBEIPAI@Z
+?addUnhandledRejectedPromise@JSRuntime@@QAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ProcessStableStateQueue@CycleCollectedJSContext@mozilla@@QAEXXZ
+?id@PromiseDebugInfo@@SA_KPAVPromiseObject@js@@@Z
+?AddUncaughtRejection@PromiseDebugging@dom@mozilla@@SAXV?$Handle@PAVJSObject@@@JS@@@Z
+?removeUnhandledRejectedPromise@JSRuntime@@QAEXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?AddConsumedRejection@PromiseDebugging@dom@mozilla@@SAXV?$Handle@PAVJSObject@@@JS@@@Z
+?FlushUncaughtRejectionsInternal@PromiseDebugging@dom@mozilla@@KAXXZ
+?PreventExtensions@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?errorReporter@EitherParser@frontend@js@@UBEABVErrorReporter@23@XZ
+?Measure@Performance@dom@mozilla@@QAEXABV?$nsTSubstring@_S@@ABV?$Optional@V?$nsTSubstring@_S@@@23@1AAVErrorResult@3@@Z
+?hasOwn@BaseProxyHandler@js@@UBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@UPropertyKey@JS@@@5@PA_N@Z
+?writeRecoverData@MLambda@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?New@MBasicBlock@jit@js@@SAPAV123@AAVMIRGraph@23@ABVCompileInfo@23@PAV123@W4Kind@123@@Z
+?insertBlockBefore@MIRGraph@jit@js@@QAEXPAVMBasicBlock@23@0@Z
+?setLoopHeader@MBasicBlock@jit@js@@QAEXPAV123@@Z
+?RemoveUnmarkedBlocks@jit@js@@YA_NPAVMIRGenerator@12@AAVMIRGraph@12@I@Z
+?SizeOfIonData@jit@js@@YAIPAVJSScript@@P6AIPBX@Z@Z
+?removeBlockIncludingPhis@MIRGraph@jit@js@@QAEXPAVMBasicBlock@23@@Z
+?MarkStringFromJit@jit@js@@YAXPAUJSRuntime@@PAPAVJSString@@@Z
+?writeRecoverData@MCreateThisWithTemplate@jit@js@@UBE_NAAVCompactBufferWriter@23@@Z
+?Constructor@FileReader@dom@mozilla@@SA?AU?$already_AddRefed@VFileReader@dom@mozilla@@@@ABVGlobalObject@23@@Z
+??0FileReader@dom@mozilla@@QAE@PAVnsIGlobalObject@@PAVWeakWorkerRef@12@@Z
+?WrapObject@FileReader@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@FileReader_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVFileReader@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetResult@FileReader@dom@mozilla@@QAEXPAUJSContext@@AAU?$Nullable@VOwningStringOrArrayBuffer@dom@mozilla@@@23@@Z
+?GetEventHandler@EventTarget@dom@mozilla@@IAEPAVEventHandlerNonNull@23@PAVnsAtom@@@Z
+?CreateInterfaceObjects@HTMLMediaElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?HasDebuggerOrTabsPrivilege@dom@mozilla@@YA_NPAUJSContext@@PAVJSObject@@@Z
+?CallerHasPermission@nsContentUtils@@SA_NPAUJSContext@@PBVnsAtom@@@Z
+?AddonHasPermission@BasePrincipal@mozilla@@UAE_NPBVnsAtom@@@Z
+?media_seekToNextFrame_enabled@StaticPrefs@mozilla@@YA_NXZ
+?media_test_video_suspend@StaticPrefs@mozilla@@YA_NXZ
+?media_setsinkid_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@AudioTrackList_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?media_useAudioChannelService_testing@StaticPrefs@mozilla@@YA_NXZ
+?media_allowed_to_play_enabled@StaticPrefs@mozilla@@YA_NXZ
+?CreateInterfaceObjects@HTMLFrameSetElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@HTMLFrameElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@HTMLMarqueeElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?CreateInterfaceObjects@HTMLCanvasElement_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?canvas_mozgetasfile_enabled@StaticPrefs@mozilla@@YA_NXZ
+?ConstructorEnabled@CanvasCaptureMediaStream_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?ConstructorEnabled@OffscreenCanvas_Binding@dom@mozilla@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?GetGeolocation@Navigator@dom@mozilla@@QAEPAVGeolocation@23@AAVErrorResult@3@@Z
+??0Geolocation@dom@mozilla@@QAE@XZ
+?Init@Geolocation@dom@mozilla@@QAE?AW4nsresult@@PAVnsPIDOMWindowInner@@@Z
+?GetGeolocationService@nsGeolocationService@@SA?AU?$already_AddRefed@VnsGeolocationService@@@@XZ
+??$SetLength@UnsTArrayInfallibleAllocator@@@?$nsTArray_Impl@FUnsTArrayInfallibleAllocator@@@@IAEXI@Z
+?Release@nsGeolocationService@@UAGKXZ
+??0WindowsLocationProvider@dom@mozilla@@QAE@XZ
+?Update@nsGeolocationService@@UAG?AW4nsresult@@PAVnsIDOMGeoPosition@@@Z
+?WrapObject@Geolocation@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Geolocation_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVGeolocation@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?GetParentObject@Geolocation@dom@mozilla@@QBEPAVnsPIDOMWindowInner@@XZ
+?CreateInterfaceObjects@Geolocation_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?QueryInterface@Geolocation@dom@mozilla@@UAG?AW4nsresult@@ABUnsID@@PAPAX@Z
+?emitInt32DivResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0@Z
+?Shutdown@Geolocation@dom@mozilla@@QAEXXZ
+?ReadUTF8@IOUtils@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVGlobalObject@23@ABV?$nsTSubstring@_S@@ABUReadUTF8Options@23@@Z
+??1?$nsTArray_Impl@V?$RefPtr@V?$Listener@V?$RefPtr@VAudioData@mozilla@@@@@detail@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+??1?$nsTArray_Impl@V?$RefPtr@VThenValueBase@?$MozPromise@VMediaResult@mozilla@@V12@$00@mozilla@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?FrameSlotName@js@@YAPAVJSAtom@@PAVJSScript@@PAE@Z
+?emitMathFloorToInt32Result@CacheIRCompiler@jit@js@@IAE_NVNumberOperandId@23@@Z
+?floorDoubleToInt32@MacroAssembler@jit@js@@QAEXUFloatRegister@23@URegister@23@PAVLabel@23@@Z
+?MaybeRejectWithUndefined@Promise@dom@mozilla@@QAEXXZ
+?GetPromiseResult@JS@@YA?AVValue@1@V?$Handle@PAVJSObject@@@1@@Z
+?GetPromiseResolutionSite@JS@@YAPAVJSObject@@V?$Handle@PAVJSObject@@@1@@Z
+?resolutionSite@PromiseObject@js@@QAEPAVJSObject@@XZ
+??0ErrorReportBuilder@JS@@QAE@PAUJSContext@@@Z
+?init@ErrorReportBuilder@JS@@QAE_NPAUJSContext@@ABVExceptionStack@2@W4SniffingBehavior@12@@Z
+?JS_EncodeStringToUTF8@@YA?AV?$UniquePtr@$$BY0A@DUFreePolicy@JS@@@mozilla@@PAUJSContext@@V?$Handle@PAVJSString@@@JS@@@Z
+??1ErrorReportBuilder@JS@@QAE@XZ
+??0AsyncErrorReporter@dom@mozilla@@QAE@PAVErrorReport@xpc@@@Z
+?GetPromiseIsHandled@JS@@YA_NV?$Handle@PAVJSObject@@@1@@Z
+?GetTypedEventHandler@EventListenerManager@mozilla@@IAEPBVTypedEventHandler@2@PAVnsAtom@@@Z
+?obj_setProto@js@@YA_NPAUJSContext@@IPAVValue@JS@@@Z
+?SetException@AsyncErrorReporter@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?Init@ErrorReport@xpc@@QAEXPAUJSContext@@PAVException@dom@mozilla@@_N_K@Z
+?DumpEnabled@nsJSUtils@@SA_NXZ
+?SetDetailedDescription@nsLocalHandlerApp@@UAG?AW4nsresult@@ABV?$nsTSubstring@_S@@@Z
+?InitIsPromiseRejection@nsScriptErrorBase@@UAG?AW4nsresult@@_N@Z
+??0AutocompleteInfo@dom@mozilla@@QAE@XZ
+?InternalSerializeAutocompleteAttribute@nsContentUtils@@CA?AW4AutocompleteAttrState@1@PBVnsAttrValue@@AAUAutocompleteInfo@dom@mozilla@@_N@Z
+?CancelEditAction@IMEContentObserver@mozilla@@QAEXXZ
+?cloneInto@RNot@jit@js@@UBEXPAVRInstructionStorage@23@@Z
+?Type@DOMSVGPathSegLinetoVerticalAbs@dom@mozilla@@UBEIXZ
+?recover@RNot@jit@js@@UBE_NPAUJSContext@@AAVSnapshotIterator@23@@Z
+?WalkContiguousEntries@nsSHistory@@SAXPAVnsISHEntry@@ABV?$function@$$A6AXPAVnsISHEntry@@@Z@std@@@Z
+??_GInternalFocusEvent@mozilla@@UAEPAXI@Z
+?GetOnfocus@nsGenericHTMLElement@@QAEPAVEventHandlerNonNull@dom@mozilla@@XZ
+??$CharsToNumber@_S@js@@YA_NPAUJSContext@@PB_SIPAN@Z
+?GetTimeoutHandle@IdleRequest@dom@mozilla@@QBEIXZ
+?GetTopChromeWindow@CanonicalBrowsingContext@dom@mozilla@@QAE?AU?$Nullable@VWindowProxyHolder@dom@mozilla@@@23@XZ
+??1GfxInfo@widget@mozilla@@EAE@XZ
+??0TaskbarPreview@widget@mozilla@@QAE@PAUITaskbarList4@@PAVnsITaskbarPreviewController@@PAUHWND__@@PAVnsIDocShell@@@Z
+?SetVisible@TaskbarPreview@widget@mozilla@@UAG?AW4nsresult@@_N@Z
+?GetTaskbarButtonCreatedMessage@nsAppShell@@SAIXZ
+?Enable@TaskbarPreview@widget@mozilla@@MAE?AW4nsresult@@XZ
+?UpdateTaskbarProperties@TaskbarPreview@widget@mozilla@@MAE?AW4nsresult@@XZ
+?Init@TaskbarPreview@widget@mozilla@@UAE?AW4nsresult@@XZ
+?AddMonitor@WindowHook@widget@mozilla@@QAE?AW4nsresult@@IP6A_NPAXPAUHWND__@@IIJPAJ@Z0@Z
+?CanMakeTaskbarCalls@TaskbarPreview@widget@mozilla@@IAE_NXZ
+?WriteAtomic@IOUtils@dom@mozilla@@SA?AU?$already_AddRefed@VPromise@dom@mozilla@@@@AAVGlobalObject@23@ABV?$nsTSubstring@_S@@ABU?$TypedArray@E$1?UnwrapUint8Array@js@@YAPAVJSObject@@PAV3@@Z$1?JS_GetUint8ArrayData@@YAPAE0PA_NABVAutoRequireNoGC@JS@@@Z$1?GetUint8ArrayLengthAndData@2@YAX0PAI1PAPAE@Z$1?JS_NewUint8Array@@YAPAV3@PAUJSContext@@I@Z@23@ABUWriteAtomicOptions@23@@Z
+?GetOuterWidth@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?SetInnerHeight@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetOuterWidthOuter@nsGlobalWindowOuter@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?SetInnerHeightOuter@nsGlobalWindowOuter@@IAEXNW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetTreeOwnerWindow@nsPIDOMWindowOuter@@QAE?AU?$already_AddRefed@VnsIBaseWindow@@@@XZ
+?SetNameOuter@nsGlobalWindowOuter@@QAEXABV?$nsTSubstring@_S@@AAVErrorResult@mozilla@@@Z
+?GetOuterHeight@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetOuterHeightOuter@nsGlobalWindowOuter@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetScreenX@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetScreenX@nsGlobalWindowInner@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetScreenXOuter@nsGlobalWindowOuter@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?SetOuterHeightOuter@nsGlobalWindowOuter@@IAEXHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetScreenY@nsGlobalWindowInner@@QAEXPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@W4CallerType@dom@mozilla@@AAVErrorResult@7@@Z
+?GetScreenY@nsGlobalWindowInner@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetScreenYOuter@nsGlobalWindowOuter@@IAEHW4CallerType@dom@mozilla@@AAVErrorResult@4@@Z
+?GetMenubar@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0MenubarProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?GetLocationbar@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0LocationbarProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?GetPersonalbar@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0PersonalbarProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?GetStatusbar@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0StatusbarProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?GetScrollbars@nsGlobalWindowInner@@QAEPAVBarProp@dom@mozilla@@AAVErrorResult@4@@Z
+??0ScrollbarsProp@dom@mozilla@@QAE@PAVnsGlobalWindowInner@@@Z
+?GetWorkspaceID@nsGlobalWindowInner@@QAEXAAV?$nsTSubstring@_S@@@Z
+?remove@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@QAEXVPtr@?$HashTable@V?$HashMapEntry@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@mozilla@@UMapHashPolicy@?$HashMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@U?$MovableCellHasher@V?$HeapPtr@PAVJSObject@@@js@@@2@VZoneAllocPolicy@2@@2@VZoneAllocPolicy@js@@@detail@mozilla@@@Z
+?DecompressStringChunk@js@@YA_NPBEIPAEI@Z
+?sourceData@JSScript@@SAPAVJSLinearString@@PAUJSContext@@V?$Handle@PAVJSScript@@@JS@@@Z
+?RemoveEventHandler@EventListenerManager@mozilla@@QAEXPAVnsAtom@@@Z
+Gecko_ElementHasAnimations
+Gecko_ElementHasCSSAnimations
+Gecko_ElementHasCSSTransitions
+_ZN5style9rule_tree50_$LT$impl$u20$style..rule_tree..core..RuleTree$GT$36remove_transition_rule_if_applicable17hb1832ea611613e10E
+Gecko_ElementTransitions_EndValueAt
+_ZN5style16gecko_properties14ComputedValues37is_display_property_changed_from_none17hce5301d17f36d3f9E
+?UpdateEffectProperties@EffectCompositor@mozilla@@QAEXPBVComputedStyle@2@PAVElement@dom@2@W4PseudoStyleType@2@@Z
+??8AnimationValue@mozilla@@QBE_NABU01@@Z
+?setAboutToOverflow@StoreBuffer@gc@js@@QAEXW4GCReason@JS@@@Z
+?requestMinorGC@Nursery@js@@QBEXW4GCReason@JS@@@Z
+?DoGetElemSuperFallback@jit@js@@YA_NPAUJSContext@@PAVBaselineFrame@12@PAVICGetElem_Fallback@12@V?$Handle@VValue@JS@@@JS@@33V?$MutableHandle@VValue@JS@@@7@@Z
+_ZN3url7slicing125_$LT$impl$u20$core..ops..index..Index$LT$core..ops..range..RangeTo$LT$url..slicing..Position$GT$$GT$$u20$for$u20$url..Url$GT$5index17h7e0cbf58d61c2892E
+_ZN3url7slicing123_$LT$impl$u20$core..ops..index..Index$LT$core..ops..range..Range$LT$url..slicing..Position$GT$$GT$$u20$for$u20$url..Url$GT$5index17h030feec671a14714E
+?GetAboutModuleFlags@BasePrincipal@mozilla@@UAG?AW4nsresult@@PAI@Z
+?HasStorageAccessPermissionGranted@Document@dom@mozilla@@QAE_NXZ
+?GetHasStoragePermission@LoadInfo@net@mozilla@@UAG?AW4nsresult@@PA_N@Z
+?ShouldPartitionStorage@mozilla@@YA_NI@Z
+?StoragePartitioningEnabled@mozilla@@YA_NIPAVnsICookieJarSettings@@@Z
+?createBlock@SparseBitmap@js@@AAEAAV?$Array@I$0EAA@@mozilla@@VAddPtr@?$HashTable@V?$HashMapEntry@IPAV?$Array@I$0EAA@@mozilla@@@mozilla@@UMapHashPolicy@?$HashMap@IPAV?$Array@I$0EAA@@mozilla@@U?$DefaultHasher@IX@2@VSystemAllocPolicy@js@@@2@VSystemAllocPolicy@js@@@detail@4@IAAUAutoEnterOOMUnsafeRegion@2@@Z
+?isBuiltinFunctionConstructor@JSFunction@@QAE_NXZ
+?WrapObject@ChromeMessageSender@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@ChromeMessageSender_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVChromeMessageSender@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@ChromeMessageSender_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?GetPreloadCsp@Document@dom@mozilla@@QBEPAVnsIContentSecurityPolicy@@XZ
+??1?$nsTArray_Impl@V?$CopyableTArray@V?$nsTString@_S@@@@UnsTArrayInfallibleAllocator@@@@QAE@XZ
+?Reset@ComfortNoise@webrtc@@QAEXXZ
+?nsASCIICaseInsensitiveStringComparator@@YAHPB_S0II@Z
+?SetPreloadCsp@nsPIDOMWindowInner@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?SetPreloadCsp@ClientSource@dom@mozilla@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?SetPreloadCspInfo@ClientInfo@dom@mozilla@@QAEXABVCSPInfo@ipc@3@@Z
+?GetCspInfo@ClientInfo@dom@mozilla@@QBEABV?$Maybe@VCSPInfo@ipc@mozilla@@@3@XZ
+?SetPreloadCsp@Document@dom@mozilla@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?OnMessageReceived@PBenchmarkStorageParent@mozilla@@UAE?AW4Result@HasResultCodes@ipc@2@ABVMessage@IPC@@@Z
+?GetCsp@Document@dom@mozilla@@QBEPAVnsIContentSecurityPolicy@@XZ
+?SetCsp@nsPIDOMWindowInner@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?SetCsp@Document@dom@mozilla@@QAEXPAVnsIContentSecurityPolicy@@@Z
+?GetConstructorObject@HTMLLegendElement_Binding@dom@mozilla@@YAPAVJSObject@@PAUJSContext@@@Z
+?GetCharacterSet@Document@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@@Z
+?ToUint64Slow@js@@YA_NPAUJSContext@@V?$Handle@VValue@JS@@@JS@@PA_K@Z
+?JS_GetClassPrototype@@YA_NPAUJSContext@@W4JSProtoKey@@V?$MutableHandle@PAVJSObject@@@JS@@@Z
+?MaybeResolveWithClone@Promise@dom@mozilla@@QAEXPAUJSContext@@V?$Handle@VValue@JS@@@JS@@@Z
+?AddRef@nsHtml5TreeOpExecutor@@W3AGKXZ
+?Equals@nsAtom@@QBE_NVchar16ptr_t@@I@Z
+?subsumes@AccessCheck@xpc@@SA_NPAVJSObject@@0@Z
+?Subsumes@CompartmentOriginInfo@xpc@@SA_NPAVCompartment@JS@@0@Z
+?SyncGamepadState@nsGlobalWindowInner@@QAEXXZ
+?StartVRActivity@nsGlobalWindowInner@@QAEXXZ
+?UnlockScreenOrientation@hal@mozilla@@YAXXZ
+?GetHost@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetHostname@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?GetPort@Location@dom@mozilla@@QAEXAAV?$nsTSubstring@_S@@AAVnsIPrincipal@@AAVErrorResult@3@@Z
+?getPrototype@?$MaybeCrossOriginObject@VDOMProxyHandler@dom@mozilla@@@dom@mozilla@@MBE_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@6@@Z
+?getSameOriginPrototype@DOMProxyHandler@Location_Binding@dom@mozilla@@UBEPAVJSObject@@PAUJSContext@@@Z
+?CanInlineNativeCrossRealm@jit@js@@YA_NW4InlinableNative@12@@Z
+?GetPlatform@Navigator@dom@mozilla@@QBEXAAV?$nsTSubstring@_S@@W4CallerType@23@AAVErrorResult@3@@Z
+?AttributeChanged@ScriptElement@dom@mozilla@@UAEXPAVElement@23@HPAVnsAtom@@HPBVnsAttrValue@@@Z
+?MakeDate@JS@@YANNIIN@Z
+??$SprintfLiteral@$0GE@@@YAHAAY0GE@DPBDZZ
+?UrshValues@js@@YA_NPAUJSContext@@V?$MutableHandle@VValue@JS@@@JS@@11@Z
+?emitInt32URightShiftResult@CacheIRCompiler@jit@js@@IAE_NVInt32OperandId@23@0_N@Z
+?CreateAsFetch@PreloadHashKey@mozilla@@SA?AV12@PAVnsIURI@@W4CORSMode@2@@Z
+?GetLocalStorage@nsGlobalWindowInner@@QAEPAVStorage@dom@mozilla@@AAVErrorResult@4@@Z
+?CreateForWindow@LSObject@dom@mozilla@@SA?AW4nsresult@@PAVnsPIDOMWindowInner@@PAPAVStorage@23@@Z
+?DispatchVRDisplayActivate@nsGlobalWindowInner@@QAEXIW4VRDisplayEventReason@dom@mozilla@@@Z
+?GetStorageOriginKey@BasePrincipal@mozilla@@UAG?AW4nsresult@@AAV?$nsTSubstring@D@@@Z
+?CreateReversedDomain@StorageUtils@dom@mozilla@@YA?AW4nsresult@@ABV?$nsTSubstring@D@@AAV5@@Z
+?NS_GetRealPort@@YAHPAVnsIURI@@@Z
+mozurl_base_domain
+?GetBaseDomainFromSchemeHost@ThirdPartyUtil@@UAG?AW4nsresult@@ABV?$nsTSubstring@D@@0AAV3@@Z
+?GetOriginFromPrincipal@QuotaManager@quota@dom@mozilla@@SA?AV?$Result@V?$nsTAutoStringN@D$0EA@@@W4nsresult@@@4@PAVnsIPrincipal@@@Z
+??0Storage@dom@mozilla@@QAE@PAVnsPIDOMWindowInner@@PAVnsIPrincipal@@1@Z
+?AddRef@CSSFontFaceRule@dom@mozilla@@UAGKXZ
+?Release@LSObject@dom@mozilla@@UAGKXZ
+?Release@Storage@dom@mozilla@@UAGKXZ
+?WrapObject@Storage@dom@mozilla@@UAEPAVJSObject@@PAUJSContext@@V?$Handle@PAVJSObject@@@JS@@@Z
+?Wrap@Storage_Binding@dom@mozilla@@YA_NPAUJSContext@@PAVStorage@23@PAVnsWrapperCache@@V?$Handle@PAVJSObject@@@JS@@V?$MutableHandle@PAVJSObject@@@8@@Z
+?CreateInterfaceObjects@Storage_Binding@dom@mozilla@@YAXPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@AAVProtoAndIfaceCache@23@_N@Z
+?dom_storage_testing@StaticPrefs@mozilla@@YA_NXZ
+?ReadyState@XMLHttpRequestMainThread@dom@mozilla@@UBEGXZ
+?ProxySetPropertyByValue@js@@YA_NPAUJSContext@@V?$Handle@PAVJSObject@@@JS@@V?$Handle@VValue@JS@@@4@2_N@Z
+?AllocateString@jit@js@@YAPAXPAUJSContext@@@Z
+?ShouldBypassCache@Loader@css@mozilla@@QBE_NXZ
+?ionLazyLinkListRemove@JitRuntime@jit@js@@QAEXPAUJSRuntime@@PAVIonCompileTask@23@@Z
+??$TraceManuallyBarrieredCrossCompartmentEdge@VValue@JS@@@js@@YAXPAVJSTracer@@PAVJSObject@@PAVValue@JS@@PBD@Z
+?GetMutex@?$nsExpirationTracker@VActiveResource@layers@mozilla@@$02@@EAEAAVPlaceholderLock@detail@@XZ
+?sweepAfterMinorGC@InnerViewTable@js@@QAEXXZ
+??$EdgeNeedsSweep@PAVJSObject@@@gc@js@@YA_NPAV?$Heap@PAVJSObject@@@JS@@@Z
+?FinalizeGlobal@dom@mozilla@@YAXPAVJSFreeOp@@PAVJSObject@@@Z
+?clearAndCompact@?$WeakMap@V?$HeapPtr@PAVJSObject@@@js@@V?$HeapPtr@VValue@JS@@@2@@js@@EAEXXZ
+?compact@?$HashTable@$$CBV?$WeakHeapPtr@PAVRegExpShared@js@@@js@@USetHashPolicy@?$HashSet@V?$WeakHeapPtr@PAVRegExpShared@js@@@js@@UKey@RegExpZone@2@VZoneAllocPolicy@2@@mozilla@@VZoneAllocPolicy@2@@detail@mozilla@@QAEXXZ
+??_GObjectValueWeakMap@js@@UAEPAXI@Z
+??1WeakMapBase@js@@UAE@XZ
+?finalize@RegExpShared@js@@QAEXPAVJSFreeOp@@@Z
+?rehash@?$OrderedHashTable@VEntry@?$OrderedHashMap@PAUCell@gc@js@@V?$Vector@UWeakMarkable@gc@js@@$01VSystemAllocPolicy@3@@mozilla@@UWeakKeyTableHashPolicy@23@VSystemAllocPolicy@3@@js@@UMapOps@23@VSystemAllocPolicy@3@@detail@js@@AAE_NI@Z
+?AgeOneGenerationLocked@?$ExpirationTrackerImpl@VgfxFont@@$02VPlaceholderLock@detail@@VPlaceholderAutoLock@3@@@QAEXABVPlaceholderAutoLock@detail@@@Z